From 2d6d1dfe5341738b54d2749024e454e51aae166f Mon Sep 17 00:00:00 2001 From: Bernd Schoolmann Date: Sun, 21 Dec 2025 21:46:18 +0100 Subject: [PATCH 1/4] [PM-29929] Exclude organization vault items in data recovery tool (#18044) * Exclude organization vault items in data recovery tool * Allow undefined organization id --- .../data-recovery/steps/cipher-step.spec.ts | 241 ++++++++++++++++++ .../data-recovery/steps/cipher-step.ts | 6 +- 2 files changed, 246 insertions(+), 1 deletion(-) create mode 100644 apps/web/src/app/key-management/data-recovery/steps/cipher-step.spec.ts diff --git a/apps/web/src/app/key-management/data-recovery/steps/cipher-step.spec.ts b/apps/web/src/app/key-management/data-recovery/steps/cipher-step.spec.ts new file mode 100644 index 00000000000..a894fce0c41 --- /dev/null +++ b/apps/web/src/app/key-management/data-recovery/steps/cipher-step.spec.ts @@ -0,0 +1,241 @@ +import { mock, MockProxy } from "jest-mock-extended"; + +import { ApiService } from "@bitwarden/common/abstractions/api.service"; +import { CipherEncryptionService } from "@bitwarden/common/vault/abstractions/cipher-encryption.service"; +import { Cipher } from "@bitwarden/common/vault/models/domain/cipher"; +import { DialogService } from "@bitwarden/components"; +import { UserId } from "@bitwarden/user-core"; + +import { LogRecorder } from "../log-recorder"; + +import { CipherStep } from "./cipher-step"; +import { RecoveryWorkingData } from "./recovery-step"; + +describe("CipherStep", () => { + let cipherStep: CipherStep; + let apiService: MockProxy; + let cipherEncryptionService: MockProxy; + let dialogService: MockProxy; + let logger: MockProxy; + + beforeEach(() => { + apiService = mock(); + cipherEncryptionService = mock(); + dialogService = mock(); + logger = mock(); + + cipherStep = new CipherStep(apiService, cipherEncryptionService, dialogService); + }); + + describe("runDiagnostics", () => { + it("returns false and logs error when userId is missing", async () => { + const workingData: RecoveryWorkingData = { + userId: null, + userKey: null, + encryptedPrivateKey: null, + isPrivateKeyCorrupt: false, + ciphers: [], + folders: [], + }; + + const result = await cipherStep.runDiagnostics(workingData, logger); + + expect(result).toBe(false); + expect(logger.record).toHaveBeenCalledWith("Missing user ID"); + }); + + it("returns true when all user ciphers are decryptable", async () => { + const userId = "user-id" as UserId; + const cipher1 = { id: "cipher-1", organizationId: null } as Cipher; + const cipher2 = { id: "cipher-2", organizationId: null } as Cipher; + + const workingData: RecoveryWorkingData = { + userId, + userKey: null, + encryptedPrivateKey: null, + isPrivateKeyCorrupt: false, + ciphers: [cipher1, cipher2], + folders: [], + }; + + cipherEncryptionService.decrypt.mockResolvedValue({} as any); + + const result = await cipherStep.runDiagnostics(workingData, logger); + + expect(result).toBe(true); + expect(cipherEncryptionService.decrypt).toHaveBeenCalledWith(cipher1, userId); + expect(cipherEncryptionService.decrypt).toHaveBeenCalledWith(cipher2, userId); + }); + + it("filters out organization ciphers (organizationId !== null) and only processes user ciphers", async () => { + const userId = "user-id" as UserId; + const userCipher = { id: "user-cipher", organizationId: null } as Cipher; + const orgCipher1 = { id: "org-cipher-1", organizationId: "org-1" } as Cipher; + const orgCipher2 = { id: "org-cipher-2", organizationId: "org-2" } as Cipher; + + const workingData: RecoveryWorkingData = { + userId, + userKey: null, + encryptedPrivateKey: null, + isPrivateKeyCorrupt: false, + ciphers: [userCipher, orgCipher1, orgCipher2], + folders: [], + }; + + cipherEncryptionService.decrypt.mockResolvedValue({} as any); + + const result = await cipherStep.runDiagnostics(workingData, logger); + + expect(result).toBe(true); + // Only user cipher should be processed + expect(cipherEncryptionService.decrypt).toHaveBeenCalledTimes(1); + expect(cipherEncryptionService.decrypt).toHaveBeenCalledWith(userCipher, userId); + // Organization ciphers should not be processed + expect(cipherEncryptionService.decrypt).not.toHaveBeenCalledWith(orgCipher1, userId); + expect(cipherEncryptionService.decrypt).not.toHaveBeenCalledWith(orgCipher2, userId); + }); + + it("returns false and records undecryptable user ciphers", async () => { + const userId = "user-id" as UserId; + const cipher1 = { id: "cipher-1", organizationId: null } as Cipher; + const cipher2 = { id: "cipher-2", organizationId: null } as Cipher; + const cipher3 = { id: "cipher-3", organizationId: null } as Cipher; + + const workingData: RecoveryWorkingData = { + userId, + userKey: null, + encryptedPrivateKey: null, + isPrivateKeyCorrupt: false, + ciphers: [cipher1, cipher2, cipher3], + folders: [], + }; + + cipherEncryptionService.decrypt + .mockResolvedValueOnce({} as any) // cipher1 succeeds + .mockRejectedValueOnce(new Error("Decryption failed")) // cipher2 fails + .mockRejectedValueOnce(new Error("Decryption failed")); // cipher3 fails + + const result = await cipherStep.runDiagnostics(workingData, logger); + + expect(result).toBe(false); + expect(logger.record).toHaveBeenCalledWith("Cipher ID cipher-2 was undecryptable"); + expect(logger.record).toHaveBeenCalledWith("Cipher ID cipher-3 was undecryptable"); + expect(logger.record).toHaveBeenCalledWith("Found 2 undecryptable ciphers"); + }); + }); + + describe("canRecover", () => { + it("returns false when there are no undecryptable ciphers", async () => { + const userId = "user-id" as UserId; + const workingData: RecoveryWorkingData = { + userId, + userKey: null, + encryptedPrivateKey: null, + isPrivateKeyCorrupt: false, + ciphers: [{ id: "cipher-1", organizationId: null } as Cipher], + folders: [], + }; + + cipherEncryptionService.decrypt.mockResolvedValue({} as any); + + await cipherStep.runDiagnostics(workingData, logger); + const result = cipherStep.canRecover(workingData); + + expect(result).toBe(false); + }); + + it("returns true when there are undecryptable ciphers", async () => { + const userId = "user-id" as UserId; + const workingData: RecoveryWorkingData = { + userId, + userKey: null, + encryptedPrivateKey: null, + isPrivateKeyCorrupt: false, + ciphers: [{ id: "cipher-1", organizationId: null } as Cipher], + folders: [], + }; + + cipherEncryptionService.decrypt.mockRejectedValue(new Error("Decryption failed")); + + await cipherStep.runDiagnostics(workingData, logger); + const result = cipherStep.canRecover(workingData); + + expect(result).toBe(true); + }); + }); + + describe("runRecovery", () => { + it("logs and returns early when there are no undecryptable ciphers", async () => { + const workingData: RecoveryWorkingData = { + userId: "user-id" as UserId, + userKey: null, + encryptedPrivateKey: null, + isPrivateKeyCorrupt: false, + ciphers: [], + folders: [], + }; + + await cipherStep.runRecovery(workingData, logger); + + expect(logger.record).toHaveBeenCalledWith("No undecryptable ciphers to recover"); + expect(dialogService.openSimpleDialog).not.toHaveBeenCalled(); + expect(apiService.deleteCipher).not.toHaveBeenCalled(); + }); + + it("throws error when user cancels deletion", async () => { + const userId = "user-id" as UserId; + const workingData: RecoveryWorkingData = { + userId, + userKey: null, + encryptedPrivateKey: null, + isPrivateKeyCorrupt: false, + ciphers: [{ id: "cipher-1", organizationId: null } as Cipher], + folders: [], + }; + + cipherEncryptionService.decrypt.mockRejectedValue(new Error("Decryption failed")); + await cipherStep.runDiagnostics(workingData, logger); + + dialogService.openSimpleDialog.mockResolvedValue(false); + + await expect(cipherStep.runRecovery(workingData, logger)).rejects.toThrow( + "Cipher recovery cancelled by user", + ); + + expect(logger.record).toHaveBeenCalledWith("Showing confirmation dialog for 1 ciphers"); + expect(logger.record).toHaveBeenCalledWith("User cancelled cipher deletion"); + expect(apiService.deleteCipher).not.toHaveBeenCalled(); + }); + + it("deletes undecryptable ciphers when user confirms", async () => { + const userId = "user-id" as UserId; + const cipher1 = { id: "cipher-1", organizationId: null } as Cipher; + const cipher2 = { id: "cipher-2", organizationId: null } as Cipher; + + const workingData: RecoveryWorkingData = { + userId, + userKey: null, + encryptedPrivateKey: null, + isPrivateKeyCorrupt: false, + ciphers: [cipher1, cipher2], + folders: [], + }; + + cipherEncryptionService.decrypt.mockRejectedValue(new Error("Decryption failed")); + await cipherStep.runDiagnostics(workingData, logger); + + dialogService.openSimpleDialog.mockResolvedValue(true); + apiService.deleteCipher.mockResolvedValue(undefined); + + await cipherStep.runRecovery(workingData, logger); + + expect(logger.record).toHaveBeenCalledWith("Showing confirmation dialog for 2 ciphers"); + expect(logger.record).toHaveBeenCalledWith("Deleting 2 ciphers"); + expect(apiService.deleteCipher).toHaveBeenCalledWith("cipher-1"); + expect(apiService.deleteCipher).toHaveBeenCalledWith("cipher-2"); + expect(logger.record).toHaveBeenCalledWith("Deleted cipher cipher-1"); + expect(logger.record).toHaveBeenCalledWith("Deleted cipher cipher-2"); + expect(logger.record).toHaveBeenCalledWith("Successfully deleted 2 ciphers"); + }); + }); +}); diff --git a/apps/web/src/app/key-management/data-recovery/steps/cipher-step.ts b/apps/web/src/app/key-management/data-recovery/steps/cipher-step.ts index 34e8cbdc9f3..b44e8afc54d 100644 --- a/apps/web/src/app/key-management/data-recovery/steps/cipher-step.ts +++ b/apps/web/src/app/key-management/data-recovery/steps/cipher-step.ts @@ -24,7 +24,11 @@ export class CipherStep implements RecoveryStep { } this.undecryptableCipherIds = []; - for (const cipher of workingData.ciphers) { + // The tool is currently only implemented to handle ciphers that are corrupt for a user. For an organization, the case of + // local user not having access to the organization key is not properly handled here, and should be implemented separately. + // For now, this just filters out and does not consider corrupt organization ciphers. + const userCiphers = workingData.ciphers.filter((c) => c.organizationId == null); + for (const cipher of userCiphers) { try { await this.cipherService.decrypt(cipher, workingData.userId); } catch { From 5c2cfee8dfe279f57376240cb4857d1581152816 Mon Sep 17 00:00:00 2001 From: "bw-ghapp[bot]" <178206702+bw-ghapp[bot]@users.noreply.github.com> Date: Mon, 22 Dec 2025 07:42:07 +0000 Subject: [PATCH 2/4] Autosync the updated translations (#18087) Co-authored-by: bitwarden-devops-bot <106330231+bitwarden-devops-bot@users.noreply.github.com> --- apps/desktop/src/locales/az/messages.json | 8 +-- apps/desktop/src/locales/sk/messages.json | 6 +- apps/desktop/src/locales/zh_CN/messages.json | 8 +-- apps/desktop/src/locales/zh_TW/messages.json | 60 ++++++++++---------- 4 files changed, 41 insertions(+), 41 deletions(-) diff --git a/apps/desktop/src/locales/az/messages.json b/apps/desktop/src/locales/az/messages.json index a031860334d..ba6cad30e4f 100644 --- a/apps/desktop/src/locales/az/messages.json +++ b/apps/desktop/src/locales/az/messages.json @@ -1776,19 +1776,19 @@ "message": "Buradan xaricə köçür" }, "exportNoun": { - "message": "Export", + "message": "Xaricə köçürmə", "description": "The noun form of the word Export" }, "exportVerb": { - "message": "Export", + "message": "Xaricə köçür", "description": "The verb form of the word Export" }, "importNoun": { - "message": "Import", + "message": "Daxilə köçürmə", "description": "The noun form of the word Import" }, "importVerb": { - "message": "Import", + "message": "Daxilə köçür", "description": "The verb form of the word Import" }, "fileFormat": { diff --git a/apps/desktop/src/locales/sk/messages.json b/apps/desktop/src/locales/sk/messages.json index 6e76a04a9fa..23c3d3ae3d0 100644 --- a/apps/desktop/src/locales/sk/messages.json +++ b/apps/desktop/src/locales/sk/messages.json @@ -1414,7 +1414,7 @@ "message": "Zobraziť Bitwarden v Docku aj keď je minimalizovaný na panel úloh." }, "confirmTrayTitle": { - "message": "Potvrdiť vypnutie systémovej lišty" + "message": "Potvrdiť skrývanie systémovej lišty" }, "confirmTrayDesc": { "message": "Vypnutím tohto nastavenia vypnete aj ostatné nastavenia súvisiace so systémovou lištou." @@ -2849,10 +2849,10 @@ "message": "Použiť možnosti subadresovania svojho poskytovateľa e-mailu." }, "catchallEmail": { - "message": "E-mail Catch-all" + "message": "Doménový kôš" }, "catchallEmailDesc": { - "message": "Použiť doručenú poštu typu catch-all nastavenú na doméne." + "message": "Použiť nastavený doménový kôš." }, "useThisEmail": { "message": "Použiť tento e-mail" diff --git a/apps/desktop/src/locales/zh_CN/messages.json b/apps/desktop/src/locales/zh_CN/messages.json index f4640ea9d00..7d1c1648bb6 100644 --- a/apps/desktop/src/locales/zh_CN/messages.json +++ b/apps/desktop/src/locales/zh_CN/messages.json @@ -1776,19 +1776,19 @@ "message": "导出自" }, "exportNoun": { - "message": "Export", + "message": "导出", "description": "The noun form of the word Export" }, "exportVerb": { - "message": "Export", + "message": "导出", "description": "The verb form of the word Export" }, "importNoun": { - "message": "Import", + "message": "导入", "description": "The noun form of the word Import" }, "importVerb": { - "message": "Import", + "message": "导入", "description": "The verb form of the word Import" }, "fileFormat": { diff --git a/apps/desktop/src/locales/zh_TW/messages.json b/apps/desktop/src/locales/zh_TW/messages.json index ea4d8cbc1b0..7b5b352d5cb 100644 --- a/apps/desktop/src/locales/zh_TW/messages.json +++ b/apps/desktop/src/locales/zh_TW/messages.json @@ -709,7 +709,7 @@ "message": "新增附件" }, "itemsTransferred": { - "message": "Items transferred" + "message": "項目已轉移" }, "fixEncryption": { "message": "修正加密" @@ -1199,7 +1199,7 @@ "message": "關注我們" }, "syncNow": { - "message": "Sync now" + "message": "立即同步" }, "changeMasterPass": { "message": "變更主密碼" @@ -1776,19 +1776,19 @@ "message": "匯出自" }, "exportNoun": { - "message": "Export", + "message": "匯出", "description": "The noun form of the word Export" }, "exportVerb": { - "message": "Export", + "message": "匯出", "description": "The verb form of the word Export" }, "importNoun": { - "message": "Import", + "message": "匯入", "description": "The noun form of the word Import" }, "importVerb": { - "message": "Import", + "message": "匯入", "description": "The verb form of the word Import" }, "fileFormat": { @@ -4344,43 +4344,43 @@ "message": "升級到 Premium" }, "removeMasterPasswordForOrgUserKeyConnector": { - "message": "Your organization is no longer using master passwords to log into Bitwarden. To continue, verify the organization and domain." + "message": "您的組織已不再使用主密碼登入 Bitwarden。若要繼續,請驗證組織與網域。" }, "continueWithLogIn": { - "message": "Continue with log in" + "message": "繼續登入" }, "doNotContinue": { - "message": "Do not continue" + "message": "不要繼續" }, "domain": { - "message": "Domain" + "message": "網域" }, "keyConnectorDomainTooltip": { - "message": "This domain will store your account encryption keys, so make sure you trust it. If you're not sure, check with your admin." + "message": "此網域將儲存您帳號的加密金鑰,請確認您信任它。若不確定,請洽詢您的管理員。" }, "verifyYourOrganization": { - "message": "Verify your organization to log in" + "message": "驗證您的組織以登入" }, "organizationVerified": { - "message": "Organization verified" + "message": "組織已驗證" }, "domainVerified": { - "message": "Domain verified" + "message": "已驗證網域" }, "leaveOrganizationContent": { - "message": "If you don't verify your organization, your access to the organization will be revoked." + "message": "若您未驗證組織,將會被撤銷對該組織的存取權限。" }, "leaveNow": { - "message": "Leave now" + "message": "立即離開" }, "verifyYourDomainToLogin": { - "message": "Verify your domain to log in" + "message": "驗證您的網域以登入" }, "verifyYourDomainDescription": { - "message": "To continue with log in, verify this domain." + "message": "若要繼續登入,請驗證此網域。" }, "confirmKeyConnectorOrganizationUserDescription": { - "message": "To continue with log in, verify the organization and domain." + "message": "若要繼續登入,請驗證組織與網域。" }, "sessionTimeoutSettingsAction": { "message": "逾時後動作" @@ -4430,19 +4430,19 @@ "message": "設定一個解鎖方式來變更您的密碼庫逾時動作。" }, "upgrade": { - "message": "Upgrade" + "message": "升級" }, "leaveConfirmationDialogTitle": { - "message": "Are you sure you want to leave?" + "message": "確定要離開嗎?" }, "leaveConfirmationDialogContentOne": { - "message": "By declining, your personal items will stay in your account, but you'll lose access to shared items and organization features." + "message": "若選擇拒絕,您的個人項目將保留在帳號中,但您將失去對共用項目與組織功能的存取權。" }, "leaveConfirmationDialogContentTwo": { - "message": "Contact your admin to regain access." + "message": "請聯絡您的管理員以重新取得存取權限。" }, "leaveConfirmationDialogConfirmButton": { - "message": "Leave $ORGANIZATION$", + "message": "離開 $ORGANIZATION$", "placeholders": { "organization": { "content": "$1", @@ -4451,10 +4451,10 @@ } }, "howToManageMyVault": { - "message": "How do I manage my vault?" + "message": "我要如何管理我的密碼庫?" }, "transferItemsToOrganizationTitle": { - "message": "Transfer items to $ORGANIZATION$", + "message": "將項目轉移至 $ORGANIZATION$", "placeholders": { "organization": { "content": "$1", @@ -4463,7 +4463,7 @@ } }, "transferItemsToOrganizationContent": { - "message": "$ORGANIZATION$ is requiring all items to be owned by the organization for security and compliance. Click accept to transfer ownership of your items.", + "message": "$ORGANIZATION$ 為了安全性與合規性,要求所有項目皆由組織擁有。點擊接受即可轉移您項目的擁有權。", "placeholders": { "organization": { "content": "$1", @@ -4472,12 +4472,12 @@ } }, "acceptTransfer": { - "message": "Accept transfer" + "message": "同意轉移" }, "declineAndLeave": { - "message": "Decline and leave" + "message": "拒絕並離開" }, "whyAmISeeingThis": { - "message": "Why am I seeing this?" + "message": "為什麼我會看到此訊息?" } } From e73d5770d338cdffd7a50f9cd2ba5cf2a7a718fc Mon Sep 17 00:00:00 2001 From: "bw-ghapp[bot]" <178206702+bw-ghapp[bot]@users.noreply.github.com> Date: Mon, 22 Dec 2025 07:42:26 +0000 Subject: [PATCH 3/4] Autosync the updated translations (#18088) Co-authored-by: bitwarden-devops-bot <106330231+bitwarden-devops-bot@users.noreply.github.com> --- apps/browser/src/_locales/az/messages.json | 8 +-- apps/browser/src/_locales/sk/messages.json | 6 +- apps/browser/src/_locales/th/messages.json | 8 +-- apps/browser/src/_locales/zh_CN/messages.json | 8 +-- apps/browser/src/_locales/zh_TW/messages.json | 66 +++++++++---------- 5 files changed, 48 insertions(+), 48 deletions(-) diff --git a/apps/browser/src/_locales/az/messages.json b/apps/browser/src/_locales/az/messages.json index 3efc2627018..3f98313c2b8 100644 --- a/apps/browser/src/_locales/az/messages.json +++ b/apps/browser/src/_locales/az/messages.json @@ -1323,19 +1323,19 @@ "message": "Buradan xaricə köçür" }, "exportVerb": { - "message": "Export", + "message": "Xaricə köçür", "description": "The verb form of the word Export" }, "exportNoun": { - "message": "Export", + "message": "Xaricə köçürmə", "description": "The noun form of the word Export" }, "importNoun": { - "message": "Import", + "message": "Daxilə köçürmə", "description": "The noun form of the word Import" }, "importVerb": { - "message": "Import", + "message": "Daxilə köçür", "description": "The verb form of the word Import" }, "fileFormat": { diff --git a/apps/browser/src/_locales/sk/messages.json b/apps/browser/src/_locales/sk/messages.json index 343f16a921b..ffda610b8f0 100644 --- a/apps/browser/src/_locales/sk/messages.json +++ b/apps/browser/src/_locales/sk/messages.json @@ -1486,7 +1486,7 @@ "message": "Vyberte súbor" }, "itemsTransferred": { - "message": "Items transferred" + "message": "Položky boli prenesené" }, "maxFileSize": { "message": "Maximálna veľkosť súboru je 500 MB." @@ -3408,10 +3408,10 @@ "message": "Použiť možnosti subadresovania svojho poskytovateľa e-mailu." }, "catchallEmail": { - "message": "Catch-all e-mail" + "message": "Doménový kôš" }, "catchallEmailDesc": { - "message": "Použiť doručenú poštu typu catch-all nastavenú na doméne." + "message": "Použiť nastavený doménový kôš." }, "random": { "message": "Náhodné" diff --git a/apps/browser/src/_locales/th/messages.json b/apps/browser/src/_locales/th/messages.json index 50bac4d6a44..49bda58b558 100644 --- a/apps/browser/src/_locales/th/messages.json +++ b/apps/browser/src/_locales/th/messages.json @@ -1323,19 +1323,19 @@ "message": "ส่งออกจาก" }, "exportVerb": { - "message": "Export", + "message": "ส่งออก", "description": "The verb form of the word Export" }, "exportNoun": { - "message": "Export", + "message": "ส่งออก", "description": "The noun form of the word Export" }, "importNoun": { - "message": "Import", + "message": "นำเข้า", "description": "The noun form of the word Import" }, "importVerb": { - "message": "Import", + "message": "นำเข้า", "description": "The verb form of the word Import" }, "fileFormat": { diff --git a/apps/browser/src/_locales/zh_CN/messages.json b/apps/browser/src/_locales/zh_CN/messages.json index 53d51a8e16f..a699be016eb 100644 --- a/apps/browser/src/_locales/zh_CN/messages.json +++ b/apps/browser/src/_locales/zh_CN/messages.json @@ -1323,19 +1323,19 @@ "message": "导出自" }, "exportVerb": { - "message": "Export", + "message": "导出", "description": "The verb form of the word Export" }, "exportNoun": { - "message": "Export", + "message": "导出", "description": "The noun form of the word Export" }, "importNoun": { - "message": "Import", + "message": "导入", "description": "The noun form of the word Import" }, "importVerb": { - "message": "Import", + "message": "导入", "description": "The verb form of the word Import" }, "fileFormat": { diff --git a/apps/browser/src/_locales/zh_TW/messages.json b/apps/browser/src/_locales/zh_TW/messages.json index b36ba76f0a1..abb25c48b43 100644 --- a/apps/browser/src/_locales/zh_TW/messages.json +++ b/apps/browser/src/_locales/zh_TW/messages.json @@ -437,7 +437,7 @@ "message": "同步" }, "syncNow": { - "message": "Sync now" + "message": "立即同步" }, "lastSync": { "message": "上次同步於:" @@ -1323,19 +1323,19 @@ "message": "匯出自" }, "exportVerb": { - "message": "Export", + "message": "匯出", "description": "The verb form of the word Export" }, "exportNoun": { - "message": "Export", + "message": "匯出", "description": "The noun form of the word Export" }, "importNoun": { - "message": "Import", + "message": "匯入", "description": "The noun form of the word Import" }, "importVerb": { - "message": "Import", + "message": "匯入", "description": "The verb form of the word Import" }, "fileFormat": { @@ -1486,7 +1486,7 @@ "message": "選取檔案" }, "itemsTransferred": { - "message": "Items transferred" + "message": "項目已轉移" }, "maxFileSize": { "message": "檔案最大為 500MB。" @@ -4812,13 +4812,13 @@ "message": "帳戶安全性" }, "phishingBlocker": { - "message": "Phishing Blocker" + "message": "釣魚封鎖器" }, "enablePhishingDetection": { - "message": "Phishing detection" + "message": "釣魚偵測" }, "enablePhishingDetectionDesc": { - "message": "Display warning before accessing suspected phishing sites" + "message": "在存取疑似釣魚網站前顯示警告" }, "notifications": { "message": "通知" @@ -5904,43 +5904,43 @@ "message": "支付卡號碼" }, "removeMasterPasswordForOrgUserKeyConnector": { - "message": "Your organization is no longer using master passwords to log into Bitwarden. To continue, verify the organization and domain." + "message": "您的組織已不再使用主密碼登入 Bitwarden。若要繼續,請驗證組織與網域。" }, "continueWithLogIn": { - "message": "Continue with log in" + "message": "繼續登入" }, "doNotContinue": { - "message": "Do not continue" + "message": "不要繼續" }, "domain": { - "message": "Domain" + "message": "網域" }, "keyConnectorDomainTooltip": { - "message": "This domain will store your account encryption keys, so make sure you trust it. If you're not sure, check with your admin." + "message": "此網域將儲存您帳號的加密金鑰,請確認您信任它。若不確定,請洽詢您的管理員。" }, "verifyYourOrganization": { - "message": "Verify your organization to log in" + "message": "驗證您的組織以登入" }, "organizationVerified": { - "message": "Organization verified" + "message": "組織已驗證" }, "domainVerified": { - "message": "Domain verified" + "message": "已驗證網域" }, "leaveOrganizationContent": { - "message": "If you don't verify your organization, your access to the organization will be revoked." + "message": "若您未驗證組織,將會被撤銷對該組織的存取權限。" }, "leaveNow": { - "message": "Leave now" + "message": "立即離開" }, "verifyYourDomainToLogin": { - "message": "Verify your domain to log in" + "message": "驗證您的網域以登入" }, "verifyYourDomainDescription": { - "message": "To continue with log in, verify this domain." + "message": "若要繼續登入,請驗證此網域。" }, "confirmKeyConnectorOrganizationUserDescription": { - "message": "To continue with log in, verify the organization and domain." + "message": "若要繼續登入,請驗證組織與網域。" }, "sessionTimeoutSettingsAction": { "message": "逾時後動作" @@ -5990,19 +5990,19 @@ "message": "設定一個解鎖方式來變更您的密碼庫逾時動作。" }, "upgrade": { - "message": "Upgrade" + "message": "升級" }, "leaveConfirmationDialogTitle": { - "message": "Are you sure you want to leave?" + "message": "確定要離開嗎?" }, "leaveConfirmationDialogContentOne": { - "message": "By declining, your personal items will stay in your account, but you'll lose access to shared items and organization features." + "message": "若選擇拒絕,您的個人項目將保留在帳號中,但您將失去對共用項目與組織功能的存取權。" }, "leaveConfirmationDialogContentTwo": { - "message": "Contact your admin to regain access." + "message": "請聯絡您的管理員以重新取得存取權限。" }, "leaveConfirmationDialogConfirmButton": { - "message": "Leave $ORGANIZATION$", + "message": "離開 $ORGANIZATION$", "placeholders": { "organization": { "content": "$1", @@ -6011,10 +6011,10 @@ } }, "howToManageMyVault": { - "message": "How do I manage my vault?" + "message": "我要如何管理我的密碼庫?" }, "transferItemsToOrganizationTitle": { - "message": "Transfer items to $ORGANIZATION$", + "message": "將項目轉移至 $ORGANIZATION$", "placeholders": { "organization": { "content": "$1", @@ -6023,7 +6023,7 @@ } }, "transferItemsToOrganizationContent": { - "message": "$ORGANIZATION$ is requiring all items to be owned by the organization for security and compliance. Click accept to transfer ownership of your items.", + "message": "$ORGANIZATION$ 為了安全性與合規性,要求所有項目皆由組織擁有。點擊接受即可轉移您項目的擁有權。", "placeholders": { "organization": { "content": "$1", @@ -6032,12 +6032,12 @@ } }, "acceptTransfer": { - "message": "Accept transfer" + "message": "同意轉移" }, "declineAndLeave": { - "message": "Decline and leave" + "message": "拒絕並離開" }, "whyAmISeeingThis": { - "message": "Why am I seeing this?" + "message": "為什麼我會看到此訊息?" } } From ec20e5937a2da88e62a9e5d3627901de309d48e2 Mon Sep 17 00:00:00 2001 From: "bw-ghapp[bot]" <178206702+bw-ghapp[bot]@users.noreply.github.com> Date: Mon, 22 Dec 2025 07:43:04 +0000 Subject: [PATCH 4/4] Autosync the updated translations (#18089) Co-authored-by: bitwarden-devops-bot <106330231+bitwarden-devops-bot@users.noreply.github.com> --- apps/web/src/locales/az/messages.json | 54 +++++----- apps/web/src/locales/de/messages.json | 14 +-- apps/web/src/locales/hu/messages.json | 4 +- apps/web/src/locales/lv/messages.json | 14 +-- apps/web/src/locales/pt_BR/messages.json | 4 +- apps/web/src/locales/pt_PT/messages.json | 4 +- apps/web/src/locales/sk/messages.json | 4 +- apps/web/src/locales/zh_CN/messages.json | 34 +++---- apps/web/src/locales/zh_TW/messages.json | 124 +++++++++++------------ 9 files changed, 128 insertions(+), 128 deletions(-) diff --git a/apps/web/src/locales/az/messages.json b/apps/web/src/locales/az/messages.json index 1b6593578a6..275ee56dd5c 100644 --- a/apps/web/src/locales/az/messages.json +++ b/apps/web/src/locales/az/messages.json @@ -392,7 +392,7 @@ "message": "Yeni tətbiqlər incələ" }, "reviewNewAppsDescription": { - "message": "Review new applications with vulnerable items and mark those you’d like to monitor closely as critical. Then, you’ll be able to assign security tasks to members to remove risks." + "message": "Həssas elementlərə sahib yeni tətbiqləri incələyin və diqqətlə izləmək istədiklərinizi kritik olaraq işarələyin. Sonra, riskləri xaric etmək üçün üzvlərə təhlükəsizlik tapşırıqları təyin edə biləcəksiniz." }, "clickIconToMarkAppAsCritical": { "message": "Bir tətbiqi kritik olaraq işarələmək üçün ulduz ikonuna klikləyin" @@ -1970,11 +1970,11 @@ "message": "Hesab şifrələmə açarları, hər Bitwarden istifadəçi hesabı üçün unikaldır, buna görə də şifrələnmiş bir ixracı, fərqli bir hesaba idxal edə bilməzsiniz." }, "exportNoun": { - "message": "Export", + "message": "Xaricə köçürmə", "description": "The noun form of the word Export" }, "exportVerb": { - "message": "Export", + "message": "Xaricə köçür", "description": "The verb form of the word Export" }, "exportFrom": { @@ -2303,11 +2303,11 @@ "message": "Alətlər" }, "importNoun": { - "message": "Import", + "message": "Daxilə köçürmə", "description": "The noun form of the word Import" }, "importVerb": { - "message": "Import", + "message": "Daxilə köçür", "description": "The verb form of the word Import" }, "importData": { @@ -3294,7 +3294,7 @@ "message": "Bulud Abunəliyini Başlat" }, "launchCloudSubscriptionSentenceCase": { - "message": "Launch cloud subscription" + "message": "Bulud abunəliyini başlat" }, "storage": { "message": "Saxlama" @@ -4212,10 +4212,10 @@ } }, "userAcceptedTransfer": { - "message": "Accepted transfer to organization ownership." + "message": "Təşkilatın sahibliyinə ötürülmə qəbul edildi." }, "userDeclinedTransfer": { - "message": "Revoked for declining transfer to organization ownership." + "message": "Təşkilatın sahibliyinə ötürülməyə rədd cavabı verildiyi üçün ləğv edildi." }, "invitedUserId": { "message": "$ID$ istifadəçisi dəvət edildi.", @@ -6758,10 +6758,10 @@ "message": "Cihaz mühafizəsi barədə daha ətraflı" }, "sessionTimeoutConfirmationOnSystemLockTitle": { - "message": "\"System lock\" will only apply to the browser and desktop app" + "message": "\"Sistem kilidi\", yalnız brauzer və masaüstü tətbiqi üçün qüvvəyə minəcək" }, "sessionTimeoutConfirmationOnSystemLockDescription": { - "message": "The mobile and web app will use \"on app restart\" as their maximum allowed timeout, since the option is not supported." + "message": "Mobil və veb tətbiqi, dəstəklənməyən bir seçim olduğu üçün icazə verilən maksimum bitmə vaxtı olaraq \"tətbiq başladılanda\"nı istifadə edəcək. " }, "vaultTimeoutPolicyInEffect": { "message": "Təşkilatınızın siyasətləri, icazə verilən maksimum seyf bitmə vaxtını $HOURS$ saat $MINUTES$ dəqiqə olaraq ayarladı.", @@ -9905,11 +9905,11 @@ "description": "An option for the offboarding survey shown when a user cancels their subscription." }, "switchToFreePlan": { - "message": "Switching to free plan", + "message": "Ödənişsiz plana keçilir", "description": "An option for the offboarding survey shown when a user cancels their subscription." }, "switchToFreeOrg": { - "message": "Switching to free organization", + "message": "Ödənişsiz təşkilata keçilir", "description": "An option for the offboarding survey shown when a user cancels their subscription." }, "freeForOneYear": { @@ -9943,7 +9943,7 @@ "message": "Tapşırıq təyin et" }, "assignSecurityTasksToMembers": { - "message": "Send notifications to change passwords" + "message": "Parol dəyişdirmə bildirişlərini göndər" }, "assignToCollections": { "message": "Kolleksiyalara təyin et" @@ -12208,13 +12208,13 @@ "message": "Ödənişsiz Ailələr sınağını başlat" }, "blockClaimedDomainAccountCreation": { - "message": "Block account creation for claimed domains" + "message": "Götürülmüş domenlər üçün hesab yaradılmasını əngəllə" }, "blockClaimedDomainAccountCreationDesc": { - "message": "Prevent users from creating accounts outside of your organization using email addresses from claimed domains." + "message": "İstifadəçilərin, götürülmüş domenlərə aid e-poçt ünvanlarını istifadə edərək təşkilatınızın xaricində hesab yaratmasını önləyin." }, "blockClaimedDomainAccountCreationPrerequisite": { - "message": "A domain must be claimed before activating this policy." + "message": "Bu siyasət aktivləşdirilməzdən əvvəl bir domen götürülməlidir." }, "unlockMethodNeededToChangeTimeoutActionDesc": { "message": "Seyf vaxt bitmə əməliyyatınızı dəyişdirmək üçün bir kilid açma üsulu qurun." @@ -12433,13 +12433,13 @@ "message": "Bunu niyə görürəm?" }, "youHaveBitwardenPremium": { - "message": "You have Bitwarden Premium" + "message": "Sizdə Bitwarden Premium var" }, "viewAndManagePremiumSubscription": { - "message": "View and manage your Premium subscription" + "message": "Premium abunəliyinizi görün və idarə edin" }, "youNeedToUpdateLicenseFile": { - "message": "You'll need to update your license file" + "message": "Lisenziya faylınızı güncəlləməlisiniz" }, "youNeedToUpdateLicenseFileDate": { "message": "$DATE$.", @@ -12451,16 +12451,16 @@ } }, "uploadLicenseFile": { - "message": "Upload license file" + "message": "Lisenziya faylını yüklə" }, "uploadYourLicenseFile": { - "message": "Upload your license file" + "message": "Lisenziya faylınızı yükləyin" }, "uploadYourPremiumLicenseFile": { - "message": "Upload your Premium license file" + "message": "Premium lisenziya faylınızı yükləyin" }, "uploadLicenseFileDesc": { - "message": "Your license file name will be similar to: $FILE_NAME$", + "message": "Lisenziya faylınızın adı $FILE_NAME$ faylı ilə oxşardır", "placeholders": { "file_name": { "content": "$1", @@ -12469,15 +12469,15 @@ } }, "alreadyHaveSubscriptionQuestion": { - "message": "Already have a subscription?" + "message": "Artıq abunəliyiniz var?" }, "alreadyHaveSubscriptionSelfHostedMessage": { - "message": "Open the subscription page on your Bitwarden cloud account and download your license file. Then return to this screen and upload it below." + "message": "Bitwarden bulud hesabınızdakı abunəlik səhifəsini açın və lisenziya faylınızı endirin. Sonra bu ekrana qayıdın və aşağıda yükləyin." }, "viewAllPlans": { - "message": "View all plans" + "message": "Bütün planlara bax" }, "planDescPremium": { - "message": "Complete online security" + "message": "Tam onlayn təhlükəsizlik" } } diff --git a/apps/web/src/locales/de/messages.json b/apps/web/src/locales/de/messages.json index 608421ef132..ccde12d8614 100644 --- a/apps/web/src/locales/de/messages.json +++ b/apps/web/src/locales/de/messages.json @@ -3294,7 +3294,7 @@ "message": "Cloud-Abonnement starten" }, "launchCloudSubscriptionSentenceCase": { - "message": "Launch cloud subscription" + "message": "Cloud-Abonnement starten" }, "storage": { "message": "Speicher" @@ -12433,13 +12433,13 @@ "message": "Warum wird mir das angezeigt?" }, "youHaveBitwardenPremium": { - "message": "You have Bitwarden Premium" + "message": "Du hast Bitwarden Premium" }, "viewAndManagePremiumSubscription": { "message": "View and manage your Premium subscription" }, "youNeedToUpdateLicenseFile": { - "message": "You'll need to update your license file" + "message": "Du musst deine Lizenzdatei aktualisieren" }, "youNeedToUpdateLicenseFileDate": { "message": "$DATE$.", @@ -12457,10 +12457,10 @@ "message": "Lade deine Lizenzdatei hoch" }, "uploadYourPremiumLicenseFile": { - "message": "Upload your Premium license file" + "message": "Lade deine Premium-Lizenzdatei hoch" }, "uploadLicenseFileDesc": { - "message": "Your license file name will be similar to: $FILE_NAME$", + "message": "Dein Lizenzdateiname wird in etwa so aussehen: $FILE_NAME$", "placeholders": { "file_name": { "content": "$1", @@ -12469,13 +12469,13 @@ } }, "alreadyHaveSubscriptionQuestion": { - "message": "Already have a subscription?" + "message": "Du hast bereits ein Abonnement?" }, "alreadyHaveSubscriptionSelfHostedMessage": { "message": "Open the subscription page on your Bitwarden cloud account and download your license file. Then return to this screen and upload it below." }, "viewAllPlans": { - "message": "View all plans" + "message": "Alle Tarife anzeigen" }, "planDescPremium": { "message": "Umfassende Online-Sicherheit" diff --git a/apps/web/src/locales/hu/messages.json b/apps/web/src/locales/hu/messages.json index 7e296cd7092..dff04ac5b3b 100644 --- a/apps/web/src/locales/hu/messages.json +++ b/apps/web/src/locales/hu/messages.json @@ -4212,10 +4212,10 @@ } }, "userAcceptedTransfer": { - "message": "Accepted transfer to organization ownership." + "message": "Az átruházás a szervezet tulajdonába elfogadásra került." }, "userDeclinedTransfer": { - "message": "Revoked for declining transfer to organization ownership." + "message": "A szervezet tulajdonába átruházás visszavonásra került elutasítás miatt." }, "invitedUserId": { "message": "$ID$ azonosítójú felhasználó meghívásra került.", diff --git a/apps/web/src/locales/lv/messages.json b/apps/web/src/locales/lv/messages.json index 6cb8e0a4a6b..eb39c3b8eee 100644 --- a/apps/web/src/locales/lv/messages.json +++ b/apps/web/src/locales/lv/messages.json @@ -4212,10 +4212,10 @@ } }, "userAcceptedTransfer": { - "message": "Accepted transfer to organization ownership." + "message": "Pieņemta īpašumtiesību nodošana apvienībai." }, "userDeclinedTransfer": { - "message": "Revoked for declining transfer to organization ownership." + "message": "Atsaukts īpašumtiesību nodošanas apvienībai noraidīšanas dēļ." }, "invitedUserId": { "message": "Uzaicināts lietotājs $ID$.", @@ -12460,7 +12460,7 @@ "message": "Jāaugšupielādē sava Premium licences datne" }, "uploadLicenseFileDesc": { - "message": "Your license file name will be similar to: $FILE_NAME$", + "message": "Licences datnes nosaukums būs līdzīgs šim: $FILE_NAME$", "placeholders": { "file_name": { "content": "$1", @@ -12469,15 +12469,15 @@ } }, "alreadyHaveSubscriptionQuestion": { - "message": "Already have a subscription?" + "message": "Jau ir abonements?" }, "alreadyHaveSubscriptionSelfHostedMessage": { - "message": "Open the subscription page on your Bitwarden cloud account and download your license file. Then return to this screen and upload it below." + "message": "Jāatver abonementu lapa Bitwarden mākoņa kontā un jālejupielādē licences datne. Tad jāatgriežas šajā skatā un zemāk jāaugšupielādē." }, "viewAllPlans": { - "message": "View all plans" + "message": "Apskatīt visus plānus" }, "planDescPremium": { - "message": "Complete online security" + "message": "Pilnīga drošība tiešsaistē" } } diff --git a/apps/web/src/locales/pt_BR/messages.json b/apps/web/src/locales/pt_BR/messages.json index 4ca2020c7b1..fbfaf08d030 100644 --- a/apps/web/src/locales/pt_BR/messages.json +++ b/apps/web/src/locales/pt_BR/messages.json @@ -4212,10 +4212,10 @@ } }, "userAcceptedTransfer": { - "message": "Accepted transfer to organization ownership." + "message": "Aceitou a transferência da propriedade da organização." }, "userDeclinedTransfer": { - "message": "Revoked for declining transfer to organization ownership." + "message": "Não aceitou a transferência da propriedade da organização." }, "invitedUserId": { "message": "Convidou o usuário $ID$.", diff --git a/apps/web/src/locales/pt_PT/messages.json b/apps/web/src/locales/pt_PT/messages.json index ae80280caed..929be5c7456 100644 --- a/apps/web/src/locales/pt_PT/messages.json +++ b/apps/web/src/locales/pt_PT/messages.json @@ -4212,10 +4212,10 @@ } }, "userAcceptedTransfer": { - "message": "Accepted transfer to organization ownership." + "message": "Transferência para propriedade da organização aceite." }, "userDeclinedTransfer": { - "message": "Revoked for declining transfer to organization ownership." + "message": "Revogado por recusa de transferência para propriedade da organização." }, "invitedUserId": { "message": "Utilizador $ID$ convidado.", diff --git a/apps/web/src/locales/sk/messages.json b/apps/web/src/locales/sk/messages.json index 6e36b52a098..ea2d12bdb2c 100644 --- a/apps/web/src/locales/sk/messages.json +++ b/apps/web/src/locales/sk/messages.json @@ -7583,10 +7583,10 @@ "message": "Použiť možnosti subadresovania svojho poskytovateľa e-mailu." }, "catchallEmail": { - "message": "Catch-all e-mail" + "message": "Doménový kôš" }, "catchallEmailDesc": { - "message": "Použiť doručenú poštu typu catch-all nastavenú na doméne." + "message": "Použiť nastavený doménový kôš." }, "useThisEmail": { "message": "Použiť tento e-mail" diff --git a/apps/web/src/locales/zh_CN/messages.json b/apps/web/src/locales/zh_CN/messages.json index cc6e71b1f08..d1ee6e0f659 100644 --- a/apps/web/src/locales/zh_CN/messages.json +++ b/apps/web/src/locales/zh_CN/messages.json @@ -1970,11 +1970,11 @@ "message": "每个 Bitwarden 用户账户的账户加密密钥都是唯一的,因此您无法将加密的导出导入到另一个账户。" }, "exportNoun": { - "message": "Export", + "message": "导出", "description": "The noun form of the word Export" }, "exportVerb": { - "message": "Export", + "message": "导出", "description": "The verb form of the word Export" }, "exportFrom": { @@ -2303,11 +2303,11 @@ "message": "工具" }, "importNoun": { - "message": "Import", + "message": "导入", "description": "The noun form of the word Import" }, "importVerb": { - "message": "Import", + "message": "导入", "description": "The verb form of the word Import" }, "importData": { @@ -3294,7 +3294,7 @@ "message": "启动云订阅" }, "launchCloudSubscriptionSentenceCase": { - "message": "Launch cloud subscription" + "message": "启动云订阅" }, "storage": { "message": "存储" @@ -12433,16 +12433,16 @@ "message": "为什么我会看到这个?" }, "youHaveBitwardenPremium": { - "message": "You have Bitwarden Premium" + "message": "您有 Bitwarden 高级版" }, "viewAndManagePremiumSubscription": { - "message": "View and manage your Premium subscription" + "message": "查看和管理您的高级版订阅" }, "youNeedToUpdateLicenseFile": { - "message": "You'll need to update your license file" + "message": "您需要更新您的许可文件" }, "youNeedToUpdateLicenseFileDate": { - "message": "$DATE$.", + "message": "$DATE$。", "placeholders": { "date": { "content": "$1", @@ -12451,16 +12451,16 @@ } }, "uploadLicenseFile": { - "message": "Upload license file" + "message": "上传许可证文件" }, "uploadYourLicenseFile": { - "message": "Upload your license file" + "message": "上传您的许可证文件" }, "uploadYourPremiumLicenseFile": { - "message": "Upload your Premium license file" + "message": "上传您的高级版许可证文件" }, "uploadLicenseFileDesc": { - "message": "Your license file name will be similar to: $FILE_NAME$", + "message": "您的许可证文件名将类似于:$FILE_NAME$", "placeholders": { "file_name": { "content": "$1", @@ -12469,15 +12469,15 @@ } }, "alreadyHaveSubscriptionQuestion": { - "message": "Already have a subscription?" + "message": "已经有一个订阅?" }, "alreadyHaveSubscriptionSelfHostedMessage": { - "message": "Open the subscription page on your Bitwarden cloud account and download your license file. Then return to this screen and upload it below." + "message": "打开您的 Bitwarden 云账户上的订阅页面并下载您的许可证文件,然后返回此屏幕并上传。" }, "viewAllPlans": { - "message": "View all plans" + "message": "查看所有套餐" }, "planDescPremium": { - "message": "Complete online security" + "message": "全面的在线安全防护" } } diff --git a/apps/web/src/locales/zh_TW/messages.json b/apps/web/src/locales/zh_TW/messages.json index b1cda1343d4..4fbf08c28a7 100644 --- a/apps/web/src/locales/zh_TW/messages.json +++ b/apps/web/src/locales/zh_TW/messages.json @@ -1970,11 +1970,11 @@ "message": "每個 Bitwarden 使用者帳戶的帳戶加密金鑰都不相同,因此無法將已加密匯出的檔案匯入至不同帳戶中。" }, "exportNoun": { - "message": "Export", + "message": "匯出", "description": "The noun form of the word Export" }, "exportVerb": { - "message": "Export", + "message": "匯出", "description": "The verb form of the word Export" }, "exportFrom": { @@ -2303,11 +2303,11 @@ "message": "工具" }, "importNoun": { - "message": "Import", + "message": "匯入", "description": "The noun form of the word Import" }, "importVerb": { - "message": "Import", + "message": "匯入", "description": "The verb form of the word Import" }, "importData": { @@ -3294,7 +3294,7 @@ "message": "啟動雲端訂閱" }, "launchCloudSubscriptionSentenceCase": { - "message": "Launch cloud subscription" + "message": "啟動雲端訂閱" }, "storage": { "message": "儲存空間" @@ -4212,10 +4212,10 @@ } }, "userAcceptedTransfer": { - "message": "Accepted transfer to organization ownership." + "message": "已接受轉移至組織擁有權。" }, "userDeclinedTransfer": { - "message": "Revoked for declining transfer to organization ownership." + "message": "因拒絕轉移至組織擁有權而遭撤銷。" }, "invitedUserId": { "message": "已邀請使用者 $ID$。", @@ -5195,7 +5195,7 @@ "message": "需要先修正密碼庫中舊的檔案附件,然後才能輪換帳戶的加密金鑰。" }, "itemsTransferred": { - "message": "Items transferred" + "message": "項目已轉移" }, "yourAccountsFingerprint": { "message": "您帳戶的指紋短語", @@ -6825,7 +6825,7 @@ "message": "密碼庫逾時時間不在允許的範圍內。" }, "disableExport": { - "message": "Remove export" + "message": "移除匯出" }, "disablePersonalVaultExportDescription": { "message": "不允許成員從其個人密碼庫匯出資料。" @@ -9494,7 +9494,7 @@ "message": "需要登入 SSO" }, "emailRequiredForSsoLogin": { - "message": "Email is required for SSO" + "message": "使用 SSO 需要電子郵件" }, "selectedRegionFlag": { "message": "選定的區域標記" @@ -11607,7 +11607,7 @@ "message": "取消封存" }, "unArchiveAndSave": { - "message": "Unarchive and save" + "message": "取消封存並儲存" }, "itemsInArchive": { "message": "封存中的項目" @@ -12251,43 +12251,43 @@ } }, "removeMasterPasswordForOrgUserKeyConnector": { - "message": "Your organization is no longer using master passwords to log into Bitwarden. To continue, verify the organization and domain." + "message": "您的組織已不再使用主密碼登入 Bitwarden。若要繼續,請驗證組織與網域。" }, "continueWithLogIn": { - "message": "Continue with log in" + "message": "繼續登入" }, "doNotContinue": { - "message": "Do not continue" + "message": "不要繼續" }, "domain": { - "message": "Domain" + "message": "網域" }, "keyConnectorDomainTooltip": { - "message": "This domain will store your account encryption keys, so make sure you trust it. If you're not sure, check with your admin." + "message": "此網域將儲存您帳號的加密金鑰,請確認您信任它。若不確定,請洽詢您的管理員。" }, "verifyYourOrganization": { - "message": "Verify your organization to log in" + "message": "驗證您的組織以登入" }, "organizationVerified": { - "message": "Organization verified" + "message": "組織已驗證" }, "domainVerified": { - "message": "Domain verified" + "message": "已驗證網域" }, "leaveOrganizationContent": { - "message": "If you don't verify your organization, your access to the organization will be revoked." + "message": "若您未驗證組織,將會被撤銷對該組織的存取權限。" }, "leaveNow": { - "message": "Leave now" + "message": "立即離開" }, "verifyYourDomainToLogin": { - "message": "Verify your domain to log in" + "message": "驗證您的網域以登入" }, "verifyYourDomainDescription": { - "message": "To continue with log in, verify this domain." + "message": "若要繼續登入,請驗證此網域。" }, "confirmKeyConnectorOrganizationUserDescription": { - "message": "To continue with log in, verify the organization and domain." + "message": "若要繼續登入,請驗證組織與網域。" }, "confirmNoSelectedCriticalApplicationsTitle": { "message": "未選取任何關鍵應用程式" @@ -12299,52 +12299,52 @@ "message": "使用者驗證失敗。" }, "recoveryDeleteCiphersTitle": { - "message": "Delete unrecoverable vault items" + "message": "刪除無法復原的密碼庫項目" }, "recoveryDeleteCiphersDesc": { - "message": "Some of your vault items could not be recovered. Do you want to delete these unrecoverable items from your vault?" + "message": "部分密碼庫項目無法復原。是否要從您的密碼庫中刪除這些無法復原的項目?" }, "recoveryDeleteFoldersTitle": { - "message": "Delete unrecoverable folders" + "message": "刪除無法復原的資料夾" }, "recoveryDeleteFoldersDesc": { - "message": "Some of your folders could not be recovered. Do you want to delete these unrecoverable folders from your vault?" + "message": "部分資料夾無法復原。是否要從您的密碼庫中刪除這些無法復原的資料夾?" }, "recoveryReplacePrivateKeyTitle": { - "message": "Replace encryption key" + "message": "更換加密金鑰" }, "recoveryReplacePrivateKeyDesc": { - "message": "Your public-key encryption key pair could not be recovered. Do you want to replace your encryption key with a new key pair? This will require you to set up existing emergency-access and organization memberships again." + "message": "您的公開金鑰加密金鑰組無法復原。是否要以新的金鑰組取代目前的加密金鑰?這將需要您重新設定現有的緊急存取與組織成員資格。" }, "recoveryStepSyncTitle": { - "message": "Synchronizing data" + "message": "正在同步資料" }, "recoveryStepPrivateKeyTitle": { - "message": "Verifying encryption key integrity" + "message": "正在驗證加密金鑰完整性" }, "recoveryStepUserInfoTitle": { - "message": "Verifying user information" + "message": "正在驗證使用者資訊" }, "recoveryStepCipherTitle": { - "message": "Verifying vault item integrity" + "message": "正在驗證密碼庫項目完整性" }, "recoveryStepFoldersTitle": { - "message": "Verifying folder integrity" + "message": "正在驗證資料夾完整性" }, "dataRecoveryTitle": { - "message": "Data Recovery and Diagnostics" + "message": "資料復原與診斷" }, "dataRecoveryDescription": { - "message": "Use the data recovery tool to diagnose and repair issues with your account. After running diagnostics you have the option to save diagnostic logs for support and the option to repair any detected issues." + "message": "使用資料復原工具來診斷並修復您帳號的問題。完成診斷後,您可以選擇儲存診斷記錄以供支援使用,並修復任何偵測到的問題。" }, "runDiagnostics": { - "message": "Run Diagnostics" + "message": "執行診斷" }, "repairIssues": { - "message": "Repair Issues" + "message": "修復問題" }, "saveDiagnosticLogs": { - "message": "Save Diagnostic Logs" + "message": "儲存診斷記錄" }, "sessionTimeoutSettingsManagedByOrganization": { "message": "此設定由您的組織管理。" @@ -12385,16 +12385,16 @@ "message": "設定一個解鎖方式來變更您的密碼庫逾時動作。" }, "leaveConfirmationDialogTitle": { - "message": "Are you sure you want to leave?" + "message": "確定要離開嗎?" }, "leaveConfirmationDialogContentOne": { - "message": "By declining, your personal items will stay in your account, but you'll lose access to shared items and organization features." + "message": "若選擇拒絕,您的個人項目將保留在帳號中,但您將失去對共用項目與組織功能的存取權。" }, "leaveConfirmationDialogContentTwo": { - "message": "Contact your admin to regain access." + "message": "請聯絡您的管理員以重新取得存取權限。" }, "leaveConfirmationDialogConfirmButton": { - "message": "Leave $ORGANIZATION$", + "message": "離開 $ORGANIZATION$", "placeholders": { "organization": { "content": "$1", @@ -12403,10 +12403,10 @@ } }, "howToManageMyVault": { - "message": "How do I manage my vault?" + "message": "我要如何管理我的密碼庫?" }, "transferItemsToOrganizationTitle": { - "message": "Transfer items to $ORGANIZATION$", + "message": "將項目轉移至 $ORGANIZATION$", "placeholders": { "organization": { "content": "$1", @@ -12415,7 +12415,7 @@ } }, "transferItemsToOrganizationContent": { - "message": "$ORGANIZATION$ is requiring all items to be owned by the organization for security and compliance. Click accept to transfer ownership of your items.", + "message": "$ORGANIZATION$ 為了安全性與合規性,要求所有項目皆由組織擁有。點擊接受即可轉移您項目的擁有權。", "placeholders": { "organization": { "content": "$1", @@ -12424,25 +12424,25 @@ } }, "acceptTransfer": { - "message": "Accept transfer" + "message": "同意轉移" }, "declineAndLeave": { - "message": "Decline and leave" + "message": "拒絕並離開" }, "whyAmISeeingThis": { - "message": "Why am I seeing this?" + "message": "為什麼我會看到此訊息?" }, "youHaveBitwardenPremium": { - "message": "You have Bitwarden Premium" + "message": "您已擁有 Bitwarden 進階版" }, "viewAndManagePremiumSubscription": { - "message": "View and manage your Premium subscription" + "message": "檢視並管理您的進階版訂閱" }, "youNeedToUpdateLicenseFile": { - "message": "You'll need to update your license file" + "message": "您需要更新您的授權檔案" }, "youNeedToUpdateLicenseFileDate": { - "message": "$DATE$.", + "message": "$DATE$。", "placeholders": { "date": { "content": "$1", @@ -12451,16 +12451,16 @@ } }, "uploadLicenseFile": { - "message": "Upload license file" + "message": "上傳授權檔案" }, "uploadYourLicenseFile": { - "message": "Upload your license file" + "message": "上傳您的授權檔案" }, "uploadYourPremiumLicenseFile": { - "message": "Upload your Premium license file" + "message": "上傳您的進階版授權檔案" }, "uploadLicenseFileDesc": { - "message": "Your license file name will be similar to: $FILE_NAME$", + "message": "您的授權檔案名稱將類似於:$FILE_NAME$", "placeholders": { "file_name": { "content": "$1", @@ -12469,15 +12469,15 @@ } }, "alreadyHaveSubscriptionQuestion": { - "message": "Already have a subscription?" + "message": "已經有訂閱了嗎?" }, "alreadyHaveSubscriptionSelfHostedMessage": { - "message": "Open the subscription page on your Bitwarden cloud account and download your license file. Then return to this screen and upload it below." + "message": "請在您的 Bitwarden 雲端帳號中開啟訂閱頁面並下載授權檔案,接著返回此畫面並於下方上傳。" }, "viewAllPlans": { - "message": "View all plans" + "message": "查看所有方案" }, "planDescPremium": { - "message": "Complete online security" + "message": "完整的線上安全防護" } }