diff --git a/src/app/interfaces/api/api-call-directory.interface.ts b/src/app/interfaces/api/api-call-directory.interface.ts
index d4a5c5e16e7..94a0a065bd4 100644
--- a/src/app/interfaces/api/api-call-directory.interface.ts
+++ b/src/app/interfaces/api/api-call-directory.interface.ts
@@ -114,6 +114,7 @@ import {
FibreChannelPort,
FibreChannelPortChoices,
FibreChannelPortUpdate,
+ FibreChannelStatus,
} from 'app/interfaces/fibre-channel.interface';
import { FileRecord, ListdirQueryParams } from 'app/interfaces/file-record.interface';
import { FileSystemStat, Statfs } from 'app/interfaces/filesystem-stat.interface';
@@ -466,6 +467,7 @@ export interface ApiCallDirectory {
'fcport.delete': { params: [id: number]; response: true };
'fcport.port_choices': { params: [include_used?: boolean]; response: FibreChannelPortChoices };
'fcport.query': { params: QueryParams; response: FibreChannelPort[] };
+ 'fcport.status': { params: []; response: FibreChannelStatus[] };
// Filesystem
'filesystem.acltemplate.by_path': { params: [AclTemplateByPathParams]; response: AclTemplateByPath[] };
diff --git a/src/app/interfaces/cloud-backup.interface.ts b/src/app/interfaces/cloud-backup.interface.ts
index 444b9d21726..5ffd8d47254 100644
--- a/src/app/interfaces/cloud-backup.interface.ts
+++ b/src/app/interfaces/cloud-backup.interface.ts
@@ -1,8 +1,8 @@
import { marker as T } from '@biesbjerg/ngx-translate-extract-marker';
import { CloudsyncTransferSetting } from 'app/enums/cloudsync-transfer-setting.enum';
import { ApiTimestamp } from 'app/interfaces/api-date.interface';
+import { CloudSyncCredential } from 'app/interfaces/cloudsync-credential.interface';
import { Job } from 'app/interfaces/job.interface';
-import { CloudCredential } from './cloud-sync-task.interface';
import { Schedule } from './schedule.interface';
export interface CloudBackup {
@@ -19,7 +19,7 @@ export interface CloudBackup {
args: string;
enabled: boolean;
password: string;
- credentials: CloudCredential;
+ credentials: CloudSyncCredential;
job: Job | null;
locked: boolean;
keep_last?: number;
diff --git a/src/app/interfaces/cloud-sync-task.interface.ts b/src/app/interfaces/cloud-sync-task.interface.ts
index 71d03d4857a..c19b224c1a9 100644
--- a/src/app/interfaces/cloud-sync-task.interface.ts
+++ b/src/app/interfaces/cloud-sync-task.interface.ts
@@ -1,16 +1,10 @@
import { Direction } from 'app/enums/direction.enum';
import { TransferMode } from 'app/enums/transfer-mode.enum';
+import { CloudSyncCredential } from 'app/interfaces/cloudsync-credential.interface';
import { DataProtectionTaskState } from 'app/interfaces/data-protection-task-state.interface';
import { Job } from 'app/interfaces/job.interface';
import { Schedule } from 'app/interfaces/schedule.interface';
-export interface CloudCredential {
- id: number;
- name: string;
- provider: string;
- attributes: Record;
-}
-
export interface BwLimit {
time: string;
bandwidth: number;
@@ -25,7 +19,7 @@ export interface CloudSyncTask {
args: string;
attributes: Record;
bwlimit: BwLimit[];
- credentials: CloudCredential;
+ credentials: CloudSyncCredential;
description: string;
direction: Direction;
enabled: boolean;
diff --git a/src/app/interfaces/cloudsync-credential.interface.ts b/src/app/interfaces/cloudsync-credential.interface.ts
index 9ccd6450514..d606b9699e3 100644
--- a/src/app/interfaces/cloudsync-credential.interface.ts
+++ b/src/app/interfaces/cloudsync-credential.interface.ts
@@ -1,15 +1,18 @@
import { CloudSyncProviderName } from 'app/enums/cloudsync-provider.enum';
+export type SomeProviderAttributes = Record;
+
export interface CloudSyncCredential {
- attributes: Record;
id: number;
name: string;
- provider: CloudSyncProviderName;
+ provider: SomeProviderAttributes & {
+ type: CloudSyncProviderName;
+ };
}
export type CloudSyncCredentialUpdate = Omit;
-export type CloudSyncCredentialVerify = Pick;
+export type CloudSyncCredentialVerify = CloudSyncCredential['provider'];
export interface CloudSyncCredentialVerifyResult {
error?: string;
diff --git a/src/app/interfaces/fibre-channel.interface.ts b/src/app/interfaces/fibre-channel.interface.ts
index 5a9384ccf54..2ee52c9e805 100644
--- a/src/app/interfaces/fibre-channel.interface.ts
+++ b/src/app/interfaces/fibre-channel.interface.ts
@@ -24,3 +24,19 @@ export type FibreChannelPortChoices = Record;
+
+export interface FibreChannelStatusNode {
+ port_type: string;
+ port_state: string;
+ speed: string;
+ physical: boolean;
+ wwpn?: string;
+ wwpn_b?: string;
+ sessions: unknown[];
+}
+
+export interface FibreChannelStatus {
+ port: string;
+ A: FibreChannelStatusNode;
+ B: FibreChannelStatusNode;
+}
diff --git a/src/app/modules/forms/custom-selects/cloud-credentials-select/cloud-credentials-select.component.spec.ts b/src/app/modules/forms/custom-selects/cloud-credentials-select/cloud-credentials-select.component.spec.ts
index 0ae506d8f4a..0264f075f2c 100644
--- a/src/app/modules/forms/custom-selects/cloud-credentials-select/cloud-credentials-select.component.spec.ts
+++ b/src/app/modules/forms/custom-selects/cloud-credentials-select/cloud-credentials-select.component.spec.ts
@@ -44,9 +44,9 @@ describe('CloudCredentialsSelectComponent', () => {
const mockCloudCredentialService = {
getCloudSyncCredentials: jest.fn(() => of([
- { id: '1', name: 'AWS S3', provider: CloudSyncProviderName.AmazonS3 },
- { id: '2', name: 'Dropbox', provider: CloudSyncProviderName.Dropbox },
- { id: '2', name: 'Drive', provider: CloudSyncProviderName.GoogleDrive },
+ { id: '1', name: 'AWS S3', provider: { type: CloudSyncProviderName.AmazonS3 } },
+ { id: '2', name: 'Dropbox', provider: { type: CloudSyncProviderName.Dropbox } },
+ { id: '2', name: 'Drive', provider: { type: CloudSyncProviderName.GoogleDrive } },
])),
};
diff --git a/src/app/modules/forms/custom-selects/cloud-credentials-select/cloud-credentials-select.component.ts b/src/app/modules/forms/custom-selects/cloud-credentials-select/cloud-credentials-select.component.ts
index 7408a316184..b24b29a8c49 100644
--- a/src/app/modules/forms/custom-selects/cloud-credentials-select/cloud-credentials-select.component.ts
+++ b/src/app/modules/forms/custom-selects/cloud-credentials-select/cloud-credentials-select.component.ts
@@ -5,7 +5,7 @@ import {
import { NG_VALUE_ACCESSOR } from '@angular/forms';
import { Observable, map } from 'rxjs';
import { CloudSyncProviderName, cloudSyncProviderNameMap } from 'app/enums/cloudsync-provider.enum';
-import { CloudCredential } from 'app/interfaces/cloud-sync-task.interface';
+import { CloudSyncCredential } from 'app/interfaces/cloudsync-credential.interface';
import { Option } from 'app/interfaces/option.interface';
import { IxSelectWithNewOption } from 'app/modules/forms/ix-forms/components/ix-select/ix-select-with-new-option.directive';
import { IxSelectComponent, IxSelectValue } from 'app/modules/forms/ix-forms/components/ix-select/ix-select.component';
@@ -39,16 +39,16 @@ export class CloudCredentialsSelectComponent extends IxSelectWithNewOption {
return this.cloudCredentialService.getCloudSyncCredentials().pipe(
map((options) => {
if (this.filterByProviders()) {
- options = options.filter((option) => this.filterByProviders().includes(option.provider));
+ options = options.filter((option) => this.filterByProviders().includes(option.provider.type));
}
return options.map((option) => {
- return { label: `${option.name} (${cloudSyncProviderNameMap.get(option.provider)})`, value: option.id };
+ return { label: `${option.name} (${cloudSyncProviderNameMap.get(option.provider.type)})`, value: option.id };
});
}),
);
}
- getValueFromChainedResponse(result: ChainedComponentResponse): IxSelectValue {
+ getValueFromChainedResponse(result: ChainedComponentResponse): IxSelectValue {
return result.response.id;
}
diff --git a/src/app/modules/slide-ins/components/slide-in2/slide-in2.component.spec.ts b/src/app/modules/slide-ins/components/slide-in2/slide-in2.component.spec.ts
index 286bd501da5..f6931ae9bd0 100644
--- a/src/app/modules/slide-ins/components/slide-in2/slide-in2.component.spec.ts
+++ b/src/app/modules/slide-ins/components/slide-in2/slide-in2.component.spec.ts
@@ -14,6 +14,7 @@ import { Direction } from 'app/enums/direction.enum';
import { JobState } from 'app/enums/job-state.enum';
import { TransferMode } from 'app/enums/transfer-mode.enum';
import { CloudSyncTaskUi } from 'app/interfaces/cloud-sync-task.interface';
+import { CloudSyncCredential } from 'app/interfaces/cloudsync-credential.interface';
import { DialogService } from 'app/modules/dialog/dialog.service';
import { CloudCredentialsSelectComponent } from 'app/modules/forms/custom-selects/cloud-credentials-select/cloud-credentials-select.component';
import { ChainedRef } from 'app/modules/slide-ins/chained-component-ref';
@@ -52,9 +53,12 @@ describe('IxSlideIn2Component', () => {
credentials: {
id: 2,
name: 'test2',
- provider: 'MEGA',
- attributes: { user: 'login', pass: 'password' } as Record,
- },
+ provider: {
+ type: CloudSyncProviderName.Mega,
+ user: 'login',
+ pass: 'password',
+ },
+ } as CloudSyncCredential,
schedule: {
minute: '0',
hour: '0',
@@ -97,16 +101,16 @@ describe('IxSlideIn2Component', () => {
{
id: 1,
name: 'test1',
- provider: CloudSyncProviderName.Http,
- attributes: {
+ provider: {
+ type: CloudSyncProviderName.Http,
url: 'http',
},
},
{
id: 2,
name: 'test2',
- provider: CloudSyncProviderName.Mega,
- attributes: {
+ provider: {
+ type: CloudSyncProviderName.Mega,
user: 'login',
pass: 'password',
},
diff --git a/src/app/pages/credentials/backup-credentials/cloud-credentials-card/cloud-credentials-card.component.spec.ts b/src/app/pages/credentials/backup-credentials/cloud-credentials-card/cloud-credentials-card.component.spec.ts
index 12495bbfd3b..878adb35fa1 100644
--- a/src/app/pages/credentials/backup-credentials/cloud-credentials-card/cloud-credentials-card.component.spec.ts
+++ b/src/app/pages/credentials/backup-credentials/cloud-credentials-card/cloud-credentials-card.component.spec.ts
@@ -6,6 +6,7 @@ import { createComponentFactory, mockProvider, Spectator } from '@ngneat/spectat
import { of } from 'rxjs';
import { mockCall, mockApi } from 'app/core/testing/utils/mock-api.utils';
import { mockAuth } from 'app/core/testing/utils/mock-auth.utils';
+import { CloudSyncProviderName } from 'app/enums/cloudsync-provider.enum';
import { CloudSyncCredential } from 'app/interfaces/cloudsync-credential.interface';
import { CloudSyncProvider } from 'app/interfaces/cloudsync-provider.interface';
import { DialogService } from 'app/modules/dialog/dialog.service';
@@ -30,8 +31,8 @@ describe('CloudCredentialsCardComponent', () => {
{
id: 1,
name: 'GDrive',
- provider: 'GOOGLE_DRIVE',
- attributes: {
+ provider: {
+ type: CloudSyncProviderName.GoogleDrive,
client_id: 'client_id',
client_secret: 'client_secret',
token: '{"access_token":"","expiry":"2023-08-10T01:59:50.96113807-07:00"}',
@@ -41,8 +42,8 @@ describe('CloudCredentialsCardComponent', () => {
{
id: 2,
name: 'BB2',
- provider: 'B2',
- attributes: {
+ provider: {
+ type: CloudSyncProviderName.BackblazeB2,
account: '',
key: '',
},
@@ -50,10 +51,10 @@ describe('CloudCredentialsCardComponent', () => {
] as CloudSyncCredential[];
const providers = [{
- name: 'GOOGLE_DRIVE',
+ name: CloudSyncProviderName.GoogleDrive,
title: 'Google Drive',
}, {
- name: 'B2',
+ name: CloudSyncProviderName.BackblazeB2,
title: 'Backblaze B2',
}] as CloudSyncProvider[];
diff --git a/src/app/pages/credentials/backup-credentials/cloud-credentials-card/cloud-credentials-card.component.ts b/src/app/pages/credentials/backup-credentials/cloud-credentials-card/cloud-credentials-card.component.ts
index fc046651545..3847a79fdf0 100644
--- a/src/app/pages/credentials/backup-credentials/cloud-credentials-card/cloud-credentials-card.component.ts
+++ b/src/app/pages/credentials/backup-credentials/cloud-credentials-card/cloud-credentials-card.component.ts
@@ -73,7 +73,10 @@ export class CloudCredentialsCardComponent implements OnInit {
textColumn({
title: this.translate.instant('Provider'),
propertyName: 'provider',
- getValue: (row) => this.providers.get(row.provider) || row.provider,
+ getValue: (row) => {
+ const provider = row.provider.type;
+ return this.providers.get(provider) || provider;
+ },
}),
actionsColumn({
actions: [
diff --git a/src/app/pages/credentials/backup-credentials/cloud-credentials-form/cloud-credentials-form.component.html b/src/app/pages/credentials/backup-credentials/cloud-credentials-form/cloud-credentials-form.component.html
index 98cec6a95d5..9dc836f34b6 100644
--- a/src/app/pages/credentials/backup-credentials/cloud-credentials-form/cloud-credentials-form.component.html
+++ b/src/app/pages/credentials/backup-credentials/cloud-credentials-form/cloud-credentials-form.component.html
@@ -9,7 +9,7 @@
": "현재 다음 GPU가 격리되어 있습니다:
{gpus}
",
"Including the Password Secret Seed allows using this configuration file with a new boot device. This also decrypts all system passwords for reuse when the configuration file is uploaded.
Keep the configuration file safe and protect it from unauthorized access!": "비밀번호 시크릿 시드를 포함하면 이 구성 파일을 새로운 부트 장치와 함께 사용할 수 있습니다. 이는 구성 파일이 업로드될 때 시스템의 모든 비밀번호를 복호화하여 재사용할 수 있게 합니다.
구성 파일을 안전하게 보관하고 무단 접근으로부터 보호하세요!",
- "Dataset: ": "데이터셋:",
+ "Dataset: ": "데이터셋: ",
"A User Access Token for Box. An access token enables Box to verify a request belongs to an authorized session. Example token: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.": "A User Access Token for Box. An access token enables Box to verify a request belongs to an authorized session. Example token: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "새 이메일 주소로 확인 지침이 전송되었습니다. 계속하기 전에 이메일 주소를 확인해 주십시오.",
"A single bandwidth limit or bandwidth limit schedule in rclone format. Separate entries by pressing Enter
. Example: 08:00,512 12:00,10MB 13:00,512 18:00,30MB 23:00,off. Units can be specified with a suffix of b, k (default), M, or G. See rclone --bwlimit.": "A single bandwidth limit or bandwidth limit schedule in rclone format. Separate entries by pressing Enter
. Example: 08:00,512 12:00,10MB 13:00,512 18:00,30MB 23:00,off. Units can be specified with a suffix of b, k (default), M, or G. See rclone --bwlimit.",
@@ -4925,32 +2862,38 @@
"ACL Types & ACL Modes": "ACL 유형 및 ACL 모드",
"ACME DNS-Authenticators": "ACME DNS-인증자",
"ALERT": "경고",
+ "ALL Initiators Allowed": "허용된 모든 이니시에이터",
+ "API Docs": "API 문서",
"API Key": "API 키",
"API Key or Password": "API 키 또는 비밀번호",
- "API Keys": "API 키들",
- "ARN": "ARN",
+ "API Keys": "API 키",
"ATA Security User": "ATA 보안 사용자",
"AWS Region": "AWS 지역",
"Abort": "중단",
+ "Abort Job": "작업 중단",
+ "Aborting...": "중단하는 중...",
"About": "정보",
+ "Accept": "수락",
"Access": "접근",
"Access Control Entry": "접근 제어 항목",
"Access Control List": "접근 제어 목록",
- "Access Key ID": "접근 키 식별자",
- "Access Key ID for the linked AWS account.": "연결된 AWS 계정의 접근 키 식별자",
+ "Access Key ID": "접근 키 ID",
+ "Access Key ID for the linked AWS account.": "연결된 AWS 계정의 접근 키 ID",
"Access Mode": "접근 모드",
"Access Settings": "접근 설정",
"Access Token": "접근 토큰",
- "Access Token generated by a Hubic account.": "Hubic 계정에서 생성된 접근 토큰.",
- "Access Token for a Dropbox account. A token must be generated by the Dropbox account before adding it here.": "Dropbox 계정에서 토큰을 생성한 후에 여기에 추가되어야 하는 Dropbox 계정용 접근 토큰.",
+ "Access Token generated by a Hubic account.": "Hubic 계정에서 생성된 접근 토큰입니다.",
+ "Access Token for a Dropbox account. A token must be generated by the Dropbox account before adding it here.": "Dropbox 계정용 접근 토큰입니다. 토큰을 추가하기 전에 반드시 Dropbox 계정으로 생성해야 합니다.",
"Access checks should use bucket-level IAM policies.": "접근 확인은 버킷 레벨 IAM 정책을 사용해야 합니다.",
- "Access from your IP is restricted": "IP에서의 접근이 제한되었습니다",
- "Access restricted": "접근이 제한되었습니다",
+ "Access from your IP is restricted": "해당 IP의 접근이 제한됨",
+ "Access restricted": "접근 제한됨",
"Account Key": "계정 키",
"Account Name": "계정 이름",
"Account to be used for guest access. Default is nobody. The chosen account is required to have permissions to the shared pool or dataset. To adjust permissions, edit the dataset Access Control List (ACL), add a new entry for the chosen guest account, and configure the permissions in that entry. If the selected Guest Account is deleted the field resets to nobody.": "게스트 접근에 사용될 계정입니다. 기본값은 nobody입니다. 선택한 계정은 공유 풀 또는 데이터셋에 대한 권한이 있어야 합니다. 권한을 조정하려면 데이터셋 접근 제어 목록 (ACL)을 편집하여 선택한 게스트 계정을 위한 새 항목을 추가하고 해당 항목에서 권한을 구성하십시오. 선택한 게스트 계정이 삭제되면 이 필드는 nobody로 재설정됩니다.",
- "Action Not Possible": "동작 불가능",
+ "Account: {account}": "계정: {account}",
+ "Action Not Possible": "동작 불가",
"Actions": "동작",
+ "Actions for {device}": "{device} 동작",
"Activate": "활성화",
"Activate KMIP configuration and begin syncing keys with the KMIP server.": "활성화 KMIP 구성 및 KMIP 서버와 키 동기화 시작.",
"Activate the Basic Constraints extension to identify whether the certificate's subject is a CA and the maximum depth of valid certification paths that include this certificate.": "이 인증서의 주체가 CA인지와 이 인증서를 포함하는 유효한 인증 경로의 최대 깊이를 식별하기 위해 기본 제약 조건 확장을 활성화하시겠습니까?",
@@ -4962,86 +2905,120 @@
"Activates the configuration. Unset to disable the configuration without deleting it.": "구성을 활성화합니다. 구성을 비활성화하려면 해제하고 삭제하지 않고 비활성화하십시오.",
"Activates the replication schedule.": "복제 일정을 활성화합니다.",
"Active": "활성",
- "Active Directory": "Active Directory",
- "Active Directory - Primary Domain": "Active Directory - 기본 도메인",
+ "Active Directory - Primary Domain": "Active Directory - 주 도메인",
"Active Directory and LDAP are disabled.": "Active Directory 및 LDAP이 비활성화되었습니다.",
"Active Directory must be enabled before adding new domains.": "새 도메인을 추가하기 전에 Active Directory를 활성화해야 합니다.",
+ "Active IP Addresses": "활성화된 IP 주소",
"Active Sessions": "활성 세션",
- "Active {controller}.": "활성 {controller}.",
+ "Active {controller}.": "{controller}을(를) 활성화합니다.",
"Active: TrueNAS Controller {id}": "활성: TrueNAS 컨트롤러 {id}",
"Adapter Type": "어댑터 유형",
"Add": "추가",
"Add API Key": "API 키 추가",
+ "Add Alert": "경고 추가",
"Add Alert Service": "경고 서비스 추가",
+ "Add Allowed Initiators (IQN)": "허용된 이니시에이터 추가 (IQN)",
"Add Authorized Access": "인가된 액세스 추가",
+ "Add Backup Credential": "백업 자격증명 추가",
"Add CSR": "CSR 추가",
"Add Catalog": "카탈로그 추가",
"Add Certificate": "인증서 추가",
"Add Certificate Authority": "인증서 기관 추가",
+ "Add Cloud Backup": "클라우드 백업 추가",
+ "Add Cloud Credential": "클라우드 자격증명 추가",
"Add Cloud Sync Task": "클라우드 동기화 작업 추가",
+ "Add Container": "콘테이너 추가",
+ "Add Credential": "자격증명 추가",
"Add Cron Job": "Cron 작업 추가",
- "Add DNS Authenticator": "DNS 인증기 추가",
+ "Add Custom App": "사용자 앱 추가",
"Add Dataset": "데이터셋 추가",
"Add Device": "장치 추가",
+ "Add Disk": "디스크 추가",
+ "Add Disk Test": "디스크 검사 추가",
"Add Disks": "디스크 추가",
- "Add Disks To:": "다음에 디스크 추가",
+ "Add Disks To:": "여기에 디스크 추가:",
"Add Extent": "범위 추가",
"Add External Interfaces": "외부 인터페이스 추가",
+ "Add Filesystem": "파일시스템 추가",
"Add Group": "그룹 추가",
"Add Group Quotas": "그룹 할당량 추가",
"Add ISCSI Target": "iSCSI 대상 추가",
- "Add Idmap": "idmap 추가",
+ "Add Image": "이미지 추가",
"Add Init/Shutdown Script": "초기화/종료 스크립트 추가",
- "Add Initiator": "이니셔에이터 추가",
+ "Add Initiator": "이니시에이터 추가",
"Add Interface": "인터페이스 추가",
- "Add Kerberos Keytab": "Kerberos Keytab 추가",
- "Add Kerberos Realm": "Kerberos Realm 추가",
- "Add Kerberos SPN Entry": "Kerberos SPN 항목 추가",
- "Add License": "라이센스 추가",
+ "Add Item": "항목 추가",
+ "Add Kernel Parameters": "커널 매개변수 추가",
+ "Add Key": "키 추가",
+ "Add License": "사용권 추가",
"Add NFS Share": "NFS 공유 추가",
"Add NTP Server": "NTP 서버 추가",
- "Add Periodic Snapshot Task": "주기적 스냅샷 작업 추가",
- "Add Portal": "포털 추가",
+ "Add New": "새로 추가",
+ "Add Periodic S.M.A.R.T. Test": "주기적인 S.M.A.R.T. 검사 추가",
+ "Add Periodic Snapshot Task": "주기적인 스냅샷 작업 추가",
+ "Add Pool": "풀 추가",
+ "Add Privilege": "권한 추가",
+ "Add Proxy": "프록시 추가",
"Add Replication Task": "복제 작업 추가",
- "Add Rsync Task": "rsync 작업 추가",
- "Add S.M.A.R.T. Test": "S.M.A.R.T. 테스트 추가",
+ "Add Rsync Task": "Rsync 작업 추가",
+ "Add S.M.A.R.T. Test": "S.M.A.R.T. 검사 추가",
"Add SMB": "SMB 추가",
+ "Add SMB Share": "SMB 공유 추가",
+ "Add SSH Connection": "SSH 연결 추가",
"Add Scrub Task": "스크럽 작업 추가",
+ "Add Share": "공유 추가",
"Add Snapshot": "스냅샷 추가",
- "Add Static Route": "정적 라우트 추가",
- "Add Sysctl": "Sysctl 추가",
+ "Add Snapshot Task": "스냅샷 작업 추가",
+ "Add Static Route": "정적 경로 추가",
"Add To Pool": "풀에 추가",
- "Add To Trusted Store": "신뢰할 수 있는 저장소에 추가",
+ "Add To Trusted Store": "신뢰하는 상점에 추가",
+ "Add TrueCloud Backup Task": "TrueCloud 백업 작업 추가",
"Add User": "사용자 추가",
"Add User Quotas": "사용자 할당량 추가",
"Add VDEV": "VDEV 추가",
+ "Add VM": "VM 추가",
"Add VM Snapshot": "VM 스냅샷 추가",
- "Add Zvol": "Zvol 추가",
- "Add a new bucket to your Storj account.": "Storj 계정에 새 버킷 추가",
+ "Add Vdevs to Pool": "VDEV를 풀에 추가",
+ "Add Virtual Machine": "가상머신 추가",
+ "Add Volume": "볼륨 추가",
+ "Add Widget": "위젯 추가",
+ "Add Zvol": "ZVOL 추가",
+ "Add a new bucket to your Storj account.": "Storj 계정에 새로운 버킷을 추가합니다.",
"Add any more sshd_config(5) options not covered in this screen. Enter one option per line. These options are case-sensitive. Misspellings can prevent the SSH service from starting.": "이 화면에서 다루지 않은 sshd_config(5) 옵션을 추가하십시오. 한 줄에 하나의 옵션을 입력하십시오. 이 옵션들은 대소문자를 구분합니다. 오타가 있으면 SSH 서비스가 시작되지 않을 수 있습니다.",
- "Add any notes about this zvol.": "이 zvol에 대한 더 많은 메모를 추가하십시오.",
+ "Add any notes about this zvol.": "이 ZVOL에 대한 비고를 입력하십시오.",
"Add bucket": "버킷 추가",
- "Add catalog to system even if some trains are unhealthy.": "Add catalog to system even if some trains are unhealthy.",
+ "Add catalog to system even if some trains are unhealthy.": "일부 구성요소에 문제가 있더라도 카탈로그를 시스템에 추가합니다.",
"Add entry": "항목 추가",
"Add groups": "그룹 추가",
- "Add listen": "listen 추가",
+ "Add iSCSI": "iSCSI 추가",
"Add new": "새로 추가",
"Add this user to additional groups.": "이 사용자를 추가 그룹에 추가합니다.",
+ "Add to trusted store": "신뢰하는 상점에 추가",
+ "Add {item}": "{item} 추가",
"Added disks are erased, then the pool is extended onto the new disks with the chosen topology. Existing data on the pool is kept intact.": "추가된 디스크는 지워지고 선택한 토폴로지로 새로운 디스크로 풀이 확장됩니다. 풀에 있는 기존 데이터는 그대로 유지됩니다.",
- "Additional rsync(1) options to include. Separate entries by pressing Enter
.
Note: The \"*\" character must be escaped with a backslash (\\*.txt) or used inside single quotes ('*.txt').": "Additional rsync(1) options to include. Separate entries by pressing Enter
.
Note: The \"*\" character must be escaped with a backslash (\\\\*.txt) or used inside single quotes ('*.txt').",
- "Additional smartctl(8) options.": "smartctl(8) 옵션 추가.",
+ "Adding data VDEVs of different types is not supported.": "서로 다른 유형의 데이터 VDEV 추가는 지원되지 않습니다.",
+ "Adding, removing, or changing hardware components.": "하드웨어 구성요소를 더하거나, 빼거나, 바꿉니다.",
+ "Additional rsync(1) options to include. Separate entries by pressing Enter
.
Note: The \"*\" character must be escaped with a backslash (\\*.txt) or used inside single quotes ('*.txt').": "불러들일 추가적인 rsync(1) 옵션입니다. Enter
키를 눌러 여러 값을 입력할 수 있습니다.
참고: \"*\" 문자는 반드시 백슬래시(\\*.txt)를 붙이거나 작은 따옴표('*.txt')로 감싸야 합니다.",
+ "Additional smartctl(8) options.": "추가적인 smartctl(8) 옵션입니다.",
"Additional Domains": "추가 도메인",
+ "Additional Domains:": "추가 도메인",
+ "Additional Hardware": "추가 하드웨어",
"Additional Kerberos application settings. See the \"appdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "추가 Kerberos 애플리케이션 설정. 사용 가능한 설정 및 사용 구문은 [krb.conf(5)]를 참조하십시오.",
"Additional Kerberos library settings. See the \"libdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "추가 Kerberos 라이브러리 설정. 사용 가능한 설정 및 사용 구문은 [krb.conf(5)]를 참조하십시오.",
"Additional domains to search. Separate entries by pressing Enter
. Adding search domains can cause slow DNS lookups.": "검색할 추가 도메인을 입력하세요. Enter
키로 구분하세요. 검색 도메인을 추가하면 DNS 조회가 느려질 수 있습니다.",
"Additional hosts to be appended to /etc/hosts. Separate entries by pressing Enter
. Hosts defined here are still accessible by name even when DNS is not available. See hosts(5) for additional information.": "/etc/hosts에 추가될 호스트입니다. Enter
키로 구분하세요. 여기에 정의된 호스트는 DNS가 사용 불가능한 경우에도 이름으로 접근할 수 있습니다. 추가 정보는 hosts(5)를 참조하세요.",
"Additional options for nslcd.conf.": "nslcd.conf를 위한 추가 옵션입니다.",
"Address": "주소",
- "Adjust Scrub/Resilver Priority": "스크럽/리실버 우선순위 조정",
+ "Adjust Scrub Priority": "스크럽/리실버 우선순위 조정",
"Adjust how often alert notifications are sent, use the Frequency drop-down. Setting the Frequency to NEVER prevents that alert from being added to alert notifications, but the alert can still show in the web interface if it is triggered.": "경고 알림이 얼마나 자주 전송되는지를 조정하려면 빈도 드롭다운을 사용하세요. 빈도를 '절대로'로 설정하면 해당 경고가 경고 알림에 추가되지 않지만, 웹 인터페이스에서는 해당 경고가 트리거될 경우 표시될 수 있습니다.",
+ "Admin Password": "관리자 비밀번호",
"Admin Server": "관리자 서버",
- "Admin Servers": "관리자 서버들",
+ "Admin Servers": "관리자 서버",
+ "Admin Username": "관리자 이름",
"Administrative account name on the LDAP server. Example: cn=Manager,dc=test,dc=org.": "LDAP 서버의 관리 계정 이름입니다. 예: cn=Manager,dc=test,dc=org.",
+ "Administrators": "관리자",
+ "Administrators Group": "관리자 그룹",
+ "Admins": "관리자",
"Adv. Power Management": "고급 전원 관리",
"Advanced": "고급",
"Advanced Mode": "고급 모드",
@@ -5053,53 +3030,67 @@
"After entering the Hostname, Username, and Password, click Fetch Datastores and select the datastore to be synchronized.": "호스트명, 사용자명, 및 비밀번호를 입력한 후 데이터스토어 가져오기를 클릭하여 동기화할 데이터스토어를 선택하세요.",
"Agree": "동의",
"Alert": "경고",
+ "Alert Services": "경고 서비스",
"Alert Settings": "경고 설정",
- "Alert service saved": "경고 서비스가 저장되었습니다.",
+ "Alert service saved": "경고 서비스 저장됨",
"Alerts": "경고",
- "Alerts could not be loaded": "경고를 로드할 수 없습니다.",
- "Algorithm": "알고리즘",
+ "Alerts could not be loaded": "경고를 불러오지 못함",
+ "Algorithm": "알고리듬",
+ "Alias": "별칭",
"Alias for the identical interface on the other TrueNAS controller. The alias can be an IPv4 or IPv6 address.": "다른 TrueNAS 컨트롤러의 동일한 인터페이스에 대한 별칭입니다. 별칭은 IPv4 또는 IPv6 주소 일 수 있습니다.",
- "Aliases must be 15 characters or less.": "별칭은 15자 이하로 설정되어야 합니다.",
+ "Aliases": "별칭",
+ "Aliases must be 15 characters or less.": "별칭은 15자 이하여야 합니다.",
"All": "모두",
"All Disks": "모든 디스크",
- "All data on that pool was destroyed.": "해당 풀에 있는 모든 데이터가 삭제되었습니다.",
- "All pools are online.": "모든 풀이 온라인 상태입니다.",
- "All selected directories must be at the same level i.e., must have the same parent directory.": "선택한 모든 디렉토리는 동일한 레벨에 있어야 합니다. 즉, 동일한 상위 디렉토리를 가져야 합니다.",
+ "All Host CPUs": "모든 호스트 CPU",
+ "All Users": "모든 사용자",
+ "All data on that pool was destroyed.": "해당 풀에 있는 모든 데이터를 파괴했습니다.",
+ "All disks healthy.": "모든 디스크가 건강합니다.",
+ "All pools are online.": "모든 풀이 연결되었습니다.",
+ "All selected directories must be at the same level i.e., must have the same parent directory.": "선택한 모든 디렉토리는 동일한 단계에 있어야 합니다. 즉, 동일한 상위 디렉토리를 가져야 합니다.",
"Allocate RAM for the VM. Minimum value is 256 MiB.": "가상 머신을 위해 RAM을 할당하십시오. 최소값은 256 MiB입니다.",
- "Allocate at least 256 MiB.": "최소한 256 MiB를 할당하십시오.",
+ "Allocate at least 256 MiB.": "최소 256 MiB를 할당하십시오.",
"Allocate space for the new zvol.": "새 zvol을 위해 공간을 할당하십시오.",
"Allow": "허용",
"Allow All": "모두 허용",
- "Allow All Initiators": "모든 이니셔에이터 허용",
+ "Allow All Initiators": "모든 이니시에이터 허용",
+ "Allow Anonymous Login": "익명 로그인 허용",
"Allow Blocks Larger than 128KB": "128KB보다 큰 블록 허용",
"Allow Compressed WRITE Records": "압축된 WRITE 레코드 허용",
- "Allow Guest Access": "게스트 액세스 허용",
+ "Allow DNS Updates": "DNS 갱신 허용",
+ "Allow Directory Service users to access WebUI": "디렉토리 서비스 사용자 WebUI 접근 허용",
+ "Allow Directory Service users to access WebUI?": "디렉토리 서비스 사용자의 WebUI 접근을 허용하시겠습니까?",
+ "Allow Guest Access": "손님 접근 허용",
"Allow Kerberos Authentication": "Kerberos 인증 허용",
"Allow Password Authentication": "비밀번호 인증 허용",
"Allow Specific": "특정 허용",
"Allow TCP Port Forwarding": "TCP 포트 포워딩 허용",
- "Allow Taking Empty Snapshots": "빈 스냅샷 촬영 허용",
- "Allow all initiators": "모든 초기화자 허용",
+ "Allow Taking Empty Snapshots": "빈 스냅샷 허용",
+ "Allow all initiators": "모든 이니시에이터 허용",
"Allow all sudo commands": "모든 sudo 명령 허용",
"Allow all sudo commands with no password": "비밀번호 없이 모든 sudo 명령 허용",
- "Allow anonymous FTP logins with access to the directory specified in Path.": "익명 FTP 로그인 허용, 경로에 지정된 디렉터리에 접근 가능",
+ "Allow anonymous FTP logins with access to the directory specified in Path.": "익명으로 FTP에 로그인하여 경로에 지정된 디렉터리에 접근 허용",
"Allow any local user to log in. By default, only members of the ftp group are allowed to log in.": "모든 로컬 사용자 로그인 허용. 기본적으로 ftp 그룹의 멤버만 로그인이 허용됩니다.",
- "Allow configuring a non-standard port to access the GUI over HTTP. Changing this setting might require changing a Firefox configuration setting.": "GUI에 접근하기 위해 비표준 포트 구성 허용 (HTTP). 이 설정 변경은 Firefox 구성 설정 변경이 필요할 수 있습니다.",
- "Allow configuring a non-standard port to access the GUI over HTTPS.": "GUI에 접근하기 위해 비표준 포트 구성 허용 (HTTPS).",
+ "Allow configuring a non-standard port to access the GUI over HTTP. Changing this setting might require changing a Firefox configuration setting.": "HTTPS GUI에 접근하기 위한 비표준 포트 구성을 허용합니다. 이 설정 변경은 Firefox 구성 설정 변경이 필요할 수 있습니다.",
+ "Allow configuring a non-standard port to access the GUI over HTTPS.": "HTTPS GUI에 접근하기 위한 비표준 포트 구성을 허용합니다.",
"Allow different groups to be configured with different authentication profiles. Example: all users with a group ID of 1 will inherit the authentication profile associated with Group 1.": "다양한 그룹이 다양한 인증 프로필로 구성될 수 있도록 허용. 예: 그룹 ID가 1인 모든 사용자는 그룹 1과 관련된 인증 프로필을 상속받습니다.",
"Allow encrypted connections. Requires a certificate created or imported with the System > Certificates menu.": "암호화된 연결 허용. System > Certificates 메뉴에서 생성 또는 가져온 인증서가 필요합니다.",
- "Allow files which return cannotDownloadAbusiveFile to be downloaded.": "cannotDownloadAbusiveFile을 반환하는 파일 다운로드 허용",
+ "Allow files which return cannotDownloadAbusiveFile to be downloaded.": "cannotDownloadAbusiveFile을 반환하는 파일 다운로드를 허용합니다.",
"Allow group members to use sudo. Group members are prompted for their password when using sudo.": "그룹 멤버에게 sudo 사용 허용. 그룹 멤버는 sudo를 사용할 때 비밀번호를 입력해야 합니다.",
- "Allow more ciphers for sshd(8) in addition to the defaults in sshd_config(5). None
allows unencrypted SSH connections and AES128-CBC
allows the 128-bit Advanced Encryption Standard.
WARNING: these ciphers are considered security vulnerabilities and should only be allowed in a secure network environment.": "Allow more ciphers for sshd(8) in addition to the defaults in sshd_config(5). None
allows unencrypted SSH connections and AES128-CBC
allows the 128-bit Advanced Encryption Standard.
WARNING: these ciphers are considered security vulnerabilities and should only be allowed in a secure network environment.",
- "Allow non-root mount": "루트가 아니어도 마운트 허용",
- "Allow this replication to send large data blocks. The destination system must also support large blocks. This setting cannot be changed after it has been enabled and the replication task is created. For more details, see zfs(8).": "이 복제에서 대용량 데이터 블록을 보낼 수 있도록 허용합니다. 대상 시스템도 대용량 블록을 지원해야 합니다. 이 설정은 활성화된 후 복제 작업이 생성되면 변경할 수 없습니다. 자세한 내용은 zfs(8)를 참조하세요.",
+ "Allow non-root mount": "최상위가 아니어도 마운트 허용",
+ "Allow this replication to send large data blocks. The destination system must also support large blocks. This setting cannot be changed after it has been enabled and the replication task is created. For more details, see zfs(8).": "이 복제에서 대용량 데이터 블록을 보낼 수 있도록 허용합니다. 대상 시스템도 대용량 블록을 지원해야 합니다. 이 설정은 활성화된 후 복제 작업이 생성되면 변경할 수 없습니다. 자세한 내용은 zfs(8)를 참조하십시오.",
"Allow using open file handles that can withstand short disconnections. Support for POSIX byte-range locks in Samba is also disabled. This option is not recommended when configuring multi-protocol or local access to files.": "단기적인 연결 끊김을 견딜 수 있는 열린 파일 핸들 사용을 허용합니다. Samba에서 POSIX 바이트 범위 잠금을 지원하지 않습니다. 이 옵션은 다중 프로토콜 또는 로컬 파일 액세스를 구성할 때 권장되지 않습니다.",
"Allow {activities}": "{activities} 허용",
+ "Allowed Address": "허용된 주소",
+ "Allowed IP Addressed": "허용된 IP 주소",
"Allowed IP Addresses": "허용된 IP 주소",
+ "Allowed IP Addresses Settings": "허용된 IP 주소 설정",
+ "Allowed Initiators": "허용된 이니시에이터",
"Allowed Services": "허용된 서비스",
- "Allowed Sudo Commands": "허용된 Sudo 명령",
- "Allowed Sudo Commands (No Password)": "비밀번호 없이 허용된 Sudo 명령",
- "Allowed characters: letters, numbers, underscore (_), and dash (-).": "허용된 문자: 문자, 숫자, 밑줄(), 대시(-).",
+ "Allowed Sudo Commands": "허용된 sudo 명령",
+ "Allowed Sudo Commands (No Password)": "허용된 sudo 명령 (비밀번호 없음)",
+ "Allowed addresses have been updated": "허용된 주소 갱신됨",
+ "Allowed characters: letters, numbers, underscore (_), and dash (-).": "허용된 문자: 문자, 숫자, 밑줄(_), 대시(-)",
"Allowed sudo commands": "허용된 sudo 명령",
"Allowed sudo commands with no password": "비밀번호 없이 허용된 sudo 명령",
"Allows multiple NTFS data streams. Disabling this option causes MacOS to write streams to files on the filesystem.": "NTFS 데이터 스트림을 여러 개 허용합니다. 이 옵션을 비활성화하면 macOS가 파일 시스템에 스트림을 기록합니다. 여기를 참조하십시오.",
@@ -5114,71 +3105,116 @@
"Amount of disk space that can be used by the selected groups. Entering 0
(zero) allows all disk space.": "선택한 그룹에서 사용 가능한 디스크 공간의 양입니다. 0
(제로)을 입력하면 모든 디스크 공간을 사용할 수 있습니다.",
"Amount of disk space that can be used by the selected users. Entering 0
(zero) allows all disk space to be used.": "선택한 사용자에서 사용 가능한 디스크 공간의 양입니다. 0
(제로)을 입력하면 모든 디스크 공간을 사용할 수 있습니다.",
"An ACL is detected on the selected path but Enable ACL is not selected for this share. ACLs must be stripped from the dataset prior to creating an SMB share.": "선택한 경로에 ACL이 감지되었지만 이 공유에 대해 ACL 사용이 선택되지 않았습니다. SMB 공유를 생성하기 전에 데이터 세트에서 ACL을 제거해야 합니다.",
- "Any notes about initiators.": "이니셔터에 대한 메모",
+ "Any notes about initiators.": "이니시에이터에 대한 비고입니다.",
"Any system service can communicate externally.": "시스템 서비스는 외부와 통신할 수 있습니다.",
+ "Api Keys": "API 키",
+ "App": "앱",
+ "App Info": "앱 정보",
"App Name": "앱 이름",
+ "App Network": "앱 네트워크",
"App Version": "앱 버전",
- "Appdefaults Auxiliary Parameters": "Appdefaults 보조 매개 변수",
- "Append @realm to cn in LDAP queries for both groups and users when User CN is set).": "User CN이 설정된 경우 LDAP 쿼리의 그룹 및 사용자 모두에게 cn에 @realm을 추가합니다.",
- "Append Data": "데이터 추가",
- "Appends a suffix to the share connection path. This is used to provide unique shares on a per-user, per-computer, or per-IP address basis. Suffixes can contain a macro. See the smb.conf manual page for a list of supported macros. The connectpath **must** be preset before a client connects.": "공유 연결 경로에 접미사를 추가합니다. 이를 사용하여 사용자, 컴퓨터 또는 IP 주소별로 고유한 공유를 제공합니다. 접미사는 매크로를 포함할 수 있습니다. 지원되는 매크로 목록은 smb.conf 매뉴얼 페이지를 참조하십시오. 연결 경로는 클라이언트가 연결되기 전에 반드시 미리 설정되어야 합니다.",
- "Application": "어플리케이션",
- "Application Info": "어플리케이션 정보",
+ "App is restarted": "앱 실행됨",
+ "App is restarting": "앱 실행중",
+ "Appdefaults Auxiliary Parameters": "Appdefaults 보조 매개변수",
+ "Append @realm to cn in LDAP queries for both groups and users when User CN is set).": "User CN이 설정된 경우 LDAP 쿼리의 그룹 및 사용자 모두에게 cn에 @realm을 덧붙입니다.",
+ "Append Data": "데이터 덧붙임",
+ "Appends a suffix to the share connection path. This is used to provide unique shares on a per-user, per-computer, or per-IP address basis. Suffixes can contain a macro. See the smb.conf manual page for a list of supported macros. The connectpath **must** be preset before a client connects.": "공유 연결 경로에 접미사를 덧붙입니다. 이를 사용하여 사용자, 컴퓨터 또는 IP 주소별로 고유한 공유를 제공합니다. 접미사는 매크로를 포함할 수 있습니다. 지원되는 매크로 목록은 smb.conf 매뉴얼 페이지를 참조하십시오. 연결 경로는 클라이언트가 연결되기 전에 **반드시** 미리 설정되어야 합니다.",
+ "Application": "애플리케이션",
+ "Application CPU Usage": "애플리케이션 CPU 사용량",
+ "Application Info": "애플리케이션 정보",
+ "Application Information": "애플리케이션 정보",
"Application Key": "애플리케이션 키",
+ "Application Memory": "애플리케이션 메모리",
+ "Application Metadata": "애플리케이션 메타데이터",
"Application Name": "애플리케이션 이름",
+ "Application Network": "애플리케이션 네트워크",
"Applications": "애플리케이션",
- "Applications are not running": "애플리케이션이 실행되지 않습니다",
- "Applications not configured": "애플리케이션이 구성되지 않았습니다",
- "Applications you install will automatically appear here. Click below and browse available apps to get started.": "여기에 설치한 앱들이 자동으로 나타납니다. 시작하려면 아래를 클릭하고 사용 가능한 앱을 찾아보세요.",
- "Applications you install will automatically appear here. Click below and browse the TrueNAS catalog to get started.": "여기에 설치한 TrueNAS 카탈로그의 앱들이 자동으로 나타납니다. 시작하려면 아래를 클릭하세요.",
- "Apply Group": "그룹에 적용",
- "Apply Pending Updates": "보류 중인 업데이트 적용",
+ "Applications are not running": "애플리케이션이 실행되지 않음",
+ "Applications not configured": "애플리케이션이 구성되지 않음",
+ "Applications you install will automatically appear here. Click below and browse available apps to get started.": "설치한 애플리케이션이 표시됩니다. 아래를 눌러 사용 가능한 앱을 찾아보세요.",
+ "Applications you install will automatically appear here. Click below and browse the TrueNAS catalog to get started.": "설치한 애플리케이션이 표시됩니다. 아래를 눌러 사용 가능한 TrueNAS 카탈로그를 찾아보세요.",
+ "Applied Dataset Quota": "적용된 데이터셋 할당량",
+ "Apply Group": "그룹 적용",
+ "Apply Owner": "소유자 적용",
+ "Apply Quotas to Selected Groups": "선택한 그룹에 할당량 적용",
+ "Apply Quotas to Selected Users": "선택한 사용자에 할당량 적용",
+ "Apply To Groups": "그룹에 적용",
+ "Apply To Users": "사용자에 적용",
"Apply Update": "업데이트 적용",
- "Apply User": "사용자에게 적용",
- "Apply permissions recursively": "하위 데이터셋에 대해 권한을 재귀적으로 적용",
- "Apply permissions recursively to all child datasets of the current dataset.": "현재 데이터셋의 모든 디렉토리와 파일에 대해 권한을 재귀적으로 적용합니다.",
- "Apply permissions recursively to all directories and files in the current dataset.": "현재 데이터셋 내의 모든 디렉토리와 파일에 대해 권한을 재귀적으로 적용합니다.",
- "Apply permissions recursively to all directories and files within the current dataset.": "현재 데이터셋 내의 모든 디렉토리와 파일에 대해 권한을 재귀적으로 적용합니다.",
+ "Apply User": "사용자 적용",
+ "Apply permissions recursively": "하위 항목에 같은 권한 적용",
+ "Apply permissions recursively to all child datasets of the current dataset.": "현재 데이터셋에 포함된 모든 데이터셋에 같은 권한을 적용합니다.",
+ "Apply permissions recursively to all directories and files in the current dataset.": "현재 데이터셋에 속한 모든 디렉토리와 파일에 같은 권한을 적용합니다.",
+ "Apply permissions recursively to all directories and files within the current dataset.": "현재 데이터셋에 포함된 모든 디렉토리와 파일에 같은 권한을 적용합니다.",
"Apply permissions to child datasets": "하위 데이터셋에 권한 적용",
- "Apply the same quota critical alert settings as the parent dataset.": "부모 데이터셋의 경고 임계값 설정과 동일한 할당량 경고 설정 적용",
- "Apply the same quota warning alert settings as the parent dataset.": "부모 데이터셋의 경고 임계값 설정과 동일한 할당량 심각 경고 설정 적용",
+ "Apply the same quota critical alert settings as the parent dataset.": "상위 데이터셋과 같은 할당량 심각 경고 설정을 적용합니다.",
+ "Apply the same quota warning alert settings as the parent dataset.": "상위 데이터셋과 같은 할당량 위험 경고 설정을 적용합니다.",
+ "Apply updates and restart system after downloading.": "업데이트를 적용하고 다운로드를 마친 후 시스템을 재시작합니다.",
+ "Applying important system or security updates.": "시스템에 중요 업데이트 혹은 보안 업데이트를 적용합니다.",
"Apps": "앱",
+ "Apps Service Not Configured": "앱 서비스 구성되지 않음",
+ "Apps Service Pending": "앱 서비스 일시중지",
+ "Apps Service Running": "앱 서비스 실행중",
+ "Apps Service Stopped": "앱 서비스 멈춤",
"Apr": "4월",
"Archive": "아카이브",
- "Are you sure you want to abort the {task} task?": "정말 {task} 작업을 중단하시겠습니까?",
- "Are you sure you want to delete address {ip}?": "{ip} 주소를 삭제하시겠습니까?",
- "Are you sure you want to delete group \"{name}\"?": "\"{name}\" 그룹을 삭제하시겠습니까?",
- "Are you sure you want to delete the {address} NTP Server?": "정말로 {address} NTP 서버를 삭제하시겠습니까?",
- "Are you sure you want to delete the {name} API Key?": "정말로 {name} API 키를 삭제하시겠습니까?",
- "Are you sure you want to delete the group quota {name}?": "정말로 그룹 할당량 {name}을(를) 삭제하시겠습니까?",
- "Are you sure you want to delete the user quota {name}?": "정말로 사용자 할당량 {name}을(를) 삭제하시겠습니까?",
- "Are you sure you want to delete user \"{user}\"?": "\"{user}\" 사용자를 삭제하시겠습니까?",
- "Are you sure you want to deregister TrueCommand Cloud Service?": "TrueCommand Cloud 서비스 등록을 해제하시겠습니까?",
- "Are you sure you want to stop connecting to the TrueCommand Cloud Service?": "TrueCommand Cloud 서비스와의 연결을 끊으시겠습니까?",
- "Are you sure you want to sync from peer?": "다른 모든 세션을 종료하시겠습니까?",
- "Are you sure you want to sync to peer?": "세션을 종료하시겠습니까?",
- "Are you sure you want to terminate all other sessions?": "피어에서 동기화하시겠습니까?",
- "Are you sure you want to terminate the session?": "피어로 동기화하시겠습니까?",
- "Are you sure?": "확실합니까?",
+ "Are you sure you want to abort the {task} task?": "정말 작업 {task}을(를) 중단하시겠습니까?",
+ "Are you sure you want to delete \"{name}\"?": "정말 \"{name}\"을(를) 삭제하시겠습니까?",
+ "Are you sure you want to delete NFS Share \"{path}\"?": "정말 {path}의 NFS 공유를 삭제하시겠습니까?",
+ "Are you sure you want to delete SMB Share \"{name}\"?": "정말 {name}의 SMB 공유를 삭제하시겠습니까?",
+ "Are you sure you want to delete address {ip}?": "정말 주소 {ip}을(를) 삭제하시겠습니까?",
+ "Are you sure you want to delete cronjob \"{name}\"?": "정말 {name}의 Cron 작업을 삭제하시겠습니까?",
+ "Are you sure you want to delete group \"{name}\"?": "정말 그룹 \"{name}\"을(를) 삭제하시겠습니까?",
+ "Are you sure you want to delete iSCSI Share \"{name}\"?": "정말 {name}의 iSCSI 공유를 삭제하시겠습니까?",
+ "Are you sure you want to delete static route \"{name}\"?": "정말 {name}의 정적 경로를 삭제하시겠습니까?",
+ "Are you sure you want to delete the {address} NTP Server?": "정말 NTP 서버 {address}을(를) 삭제하시겠습니까?",
+ "Are you sure you want to delete the {name} API Key?": "정말 {name}의 API 키를 삭제하시겠습니까?",
+ "Are you sure you want to delete the {name} SSH Connection?": "정말 SSH 연결 {name}을(를) 삭제하시겠습니까?",
+ "Are you sure you want to delete the {name} certificate authority?": "정말 인증기관 {name}을(를) 삭제하시겠습니까?",
+ "Are you sure you want to delete the {name}?": "정말 {name}을(를) 삭제하시겠습니까?",
+ "Are you sure you want to delete the group quota {name}?": "정말 {name}의 그룹 할당량을 삭제하시겠습니까?",
+ "Are you sure you want to delete the user quota {name}?": "정말 {name}의 사용자 할당량을 삭제하시겠습니까?",
+ "Are you sure you want to delete this item?": "정말 이 항목을 삭제하시겠습니까?",
+ "Are you sure you want to delete this record?": "정말 이 레코드를 삭제하시겠습니까?",
+ "Are you sure you want to delete this script?": "정말 이 스크립트를 삭제하시겠습니까?",
+ "Are you sure you want to delete this snapshot?": "정말 이 스냅샷을 삭제하시겠습니까?",
+ "Are you sure you want to delete this task?": "정말 이 작업을 삭제하시겠습니까?",
+ "Are you sure you want to delete user \"{user}\"?": "정말 사용자 \"{user}\"을(를) 삭제하시겠습니까?",
+ "Are you sure you want to delete {item}?": "정말 {item}을(를) 삭제하시겠습니까?",
+ "Are you sure you want to deregister TrueCommand Cloud Service?": "정말 TrueCommand 클라우드 서비스를 해지하시겠습니까?",
+ "Are you sure you want to restore the default set of widgets?": "정말 기본 위젯으로 되돌리시겠습니까?",
+ "Are you sure you want to start over?": "정말 처음으로 돌아가시겠습니까?",
+ "Are you sure you want to stop connecting to the TrueCommand Cloud Service?": "정말 TrueCommand 클라우드 서비스와의 연결을 끊으시겠습니까?",
+ "Are you sure you want to sync from peer?": "정말 다른 지점에서 동기화 하시겠습니까?",
+ "Are you sure you want to sync to peer?": "정말 다른 지점으로 동기화 하시겠습니까?",
+ "Are you sure you want to terminate all other sessions?": "정말 다른 모든 세션을 종료하시겠습니까?",
+ "Are you sure you want to terminate the session?": "정말 세션을 종료하시겠습니까?",
+ "Are you sure?": "확실하십니까?",
"Arguments": "인수",
- "At least 1 GPU is required by the host for its functions.": "호스트 기능에는 적어도 1개의 GPU가 필요합니다.",
+ "At least 1 GPU is required by the host for its functions.": "호스트가 기능하기 위해 최소 하나의 GPU가 필요합니다.",
+ "At least 1 data VDEV is required.": "최소 하나의 데이터 VDEV이(가) 필요합니다.",
+ "At least 1 vdev is required to make an update to the pool.": "풀을 갱신하려면 최소 하나의 VDEV이(가) 필요합니다.",
"At least one module must be defined in rsyncd.conf(5) of the rsync server or in the Rsync Modules of another system.": "rsync 서버의 href=\"https://www.samba.org/ftp/rsync/rsyncd.conf.html\" target=\"_blank\">rsyncd.conf(5) 또는 다른 시스템의 Rsync Modules에 적어도 하나의 모듈이 정의되어야 합니다.",
"At least one pod must be available": "적어도 하나의 파드가 사용 가능해야합니다",
"At least one pool must be available to use apps": "앱을 사용하려면 적어도 하나의 풀이 사용 가능해야합니다",
- "Attach": "첨부",
- "Attach NIC": "NIC 첨부",
- "Attention": "주의",
+ "At least one spare is recommended for dRAID. Spares cannot be added later.": "dRAID을(를) 위해 최소 하나의 여분 드라이브가 필요합니다. 나중에 추가할 수 없습니다.",
+ "Atleast {min} disk(s) are required for {vdevType} vdevs": "{vdevType} VDEV을(를) 위해 최소 {min}개의 디스크가 필요합니다.",
+ "Attach NIC": "NIC 탑재",
+ "Attach additional images": "추가 이미지 탑재",
+ "Attach debug": "디버그 첨부",
+ "Attach images (optional)": "이미지 첨부 (선택사항)",
"Aug": "8월",
"Auth Token": "인증 토큰",
- "Auth Token from alternate authentication - optional (rclone documentation).": "Auth Token from alternate authentication - optional (rclone documentation).",
- "AuthVersion": "인증 버전",
- "AuthVersion - optional - set to (1,2,3) if your auth URL has no version (rclone documentation).": "AuthVersion - optional - set to (1,2,3) if your auth URL has no version (rclone documentation).",
+ "Auth Token from alternate authentication - optional (rclone documentation).": "대체 인증을 위한 인증 토큰 - 선택사항 (Rclone 문서)",
+ "AuthVersion - optional - set to (1,2,3) if your auth URL has no version (rclone documentation).": "AuthVersion - 선택사항 - 인증 URL에 버전이 없는 경우 (1,2,3)으로 설정 (Rclone 문서)",
"Authentication": "인증",
"Authentication Group Number": "인증 그룹 번호",
"Authentication Method": "인증 방법",
"Authentication Method and Group": "인증 방법 및 그룹",
+ "Authentication Protocol": "인증 프로토콜",
+ "Authentication Type": "인증 유형",
"Authentication URL": "인증 URL",
- "Authentication URL for the server. This is the OS_AUTH_URL from an OpenStack credentials file.": "Authentication URL for the server. This is the OS_AUTH_URL from an OpenStack credentials file.",
+ "Authentication URL for the server. This is the OS_AUTH_URL from an OpenStack credentials file.": "서버 인증 URL 입니다. OpenStack 자격증명 파일의 OS_AUTH_URL 입니다.",
"Authenticator": "인증기",
"Authenticator to validate the Domain. Choose a previously configured ACME DNS authenticator.": "도메인을 검증하는 인증기입니다. 이전에 구성된 ACME DNS 인증기를 선택하세요.",
"Authority Cert Issuer": "인증서 발급자",
@@ -5188,19 +3224,25 @@
"Authorized Keys": "인증된 키",
"Authorized Networks": "인증된 네트워크",
"Auto": "자동",
+ "Auto Refresh": "자동 새로고침",
"Auto TRIM": "자동 TRIM",
"Autoconfigure IPv6": "자동으로 IPv6 구성",
- "Automated Disk Selection": "자동 디스크 선택",
+ "Automated Disk Selection": "디스크 자동 선택",
"Automatic update check failed. Please check system network settings.": "자동 업데이트 확인이 실패했습니다. 시스템 네트워크 설정을 확인하세요.",
"Automatically populated with the original hostname of the system. This name is limited to 15 characters and cannot be the Workgroup name.": "시스템의 원래 호스트 이름으로 자동으로 채워집니다. 이 이름은 15자로 제한되며 워크그룹 이름일 수 없습니다.",
+ "Automatically restart the system after the update is applied.": "업데이트가 적용되면 자동으로 시스템을 재시작합니다.",
+ "Automatically sets number of threads used by the kernel NFS server.": "NFS 서버 커널이 사용하는 스레드 수를 자동으로 설정합니다.",
"Automatically stop the script or command after the specified seconds.": "지정된 시간(초) 후에 스크립트 또는 명령을 자동으로 중지합니다.",
- "Auxiliary Arguments": "보조 인자",
+ "Autostart": "자동시작",
+ "Auxiliary Arguments": "보조 인수",
"Auxiliary Groups": "보조 그룹",
"Auxiliary Parameters": "보조 매개변수",
- "Auxiliary Parameters (ups.conf)": "보조 매개변수 (ups.conf)",
- "Auxiliary Parameters (upsd.conf)": "보조 매개변수 (upsd.conf)",
+ "Auxiliary Parameters (ups.conf)": "보조 배개변수 (ups.conf)",
+ "Auxiliary Parameters (upsd.conf)": "보조 배개변수 (upsd.conf)",
"Available": "사용 가능",
"Available Apps": "사용 가능한 앱",
+ "Available Host Memory": "사용 가능한 호스트 메모리",
+ "Available Memory": "사용 가능한 메모리",
"Available Resources": "사용 가능한 자원",
"Available Space": "사용 가능한 공간",
"Available Space Threshold (%)": "사용 가능한 공간 임계치 (%)",
@@ -5212,79 +3254,2045 @@
"Backend": "백엔드",
"Backend used to map Windows security identifiers (SIDs) to UNIX UIDs and GIDs. To configure the selected backend, click EDIT IDMAP.": "Windows 보안 식별자(SID)를 UNIX UID와 GID로 매핑하는 데 사용되는 백엔드입니다. 선택한 백엔드를 구성하려면 IDMAP 편집을 클릭하세요.",
"Background (lowest)": "백그라운드 (가장 낮음)",
- "Backup Credentials": "백업 자격 증명",
+ "Backup": "백업",
+ "Backup Config": "구성 백업",
+ "Backup Credential": "자격증명 백업",
+ "Backup Credentials": "자격증명 백업",
+ "Backup Tasks": "백업 작업",
+ "Backup to Cloud or another TrueNAS via links below": "아래 링크를 통해 클라우드나 다른 TrueNAS에 백업",
+ "Bandwidth": "대역폭",
"Bandwidth Limit": "대역폭 제한",
- "Base DN": "기본 DN",
- "Base Name": "기본 이름",
- "Base64 encoded key for the Azure account.": "Azure 계정용 Base64 인코딩된 키",
+ "Base DN": "기초 DN",
+ "Base Image": "기초 이미지",
+ "Base Name": "기초 이름",
+ "Base64 encoded key for the Azure account.": "Azure 계정에 사용되는 Base64 부호화 키입니다.",
"Basic": "기본",
- "Basic Constraints": "기본 제약 사항",
+ "Basic Constraints": "기본 제약사항",
+ "Basic Constraints Config": "기본 제약사항 구성",
"Basic Info": "기본 정보",
"Basic Mode": "기본 모드",
"Basic Options": "기본 옵션",
"Basic Settings": "기본 설정",
+ "Batch Operations": "일괄 작업",
"Begin": "시작",
- "Best effort (default)": "최선의 노력 (기본값)",
+ "Best effort (default)": "가장 효과적 (기본값)",
"Bind DN": "바인드 DN",
"Bind IP Addresses": "바인드 IP 주소",
- "Bind Password": "바인드 암호",
+ "Bind Interfaces": "바인드 인터페이스",
+ "Bind Password": "바인드 비밀번호",
"Block (iSCSI) Shares Targets": "블록 (iSCSI) 공유 대상",
"Block Size": "블록 크기",
"Block size": "블록 크기",
- "Boot": "부팅",
- "Boot Environments": "부팅 환경",
+ "Boot": "부트",
+ "Boot Environment": "부트 환경",
+ "Boot Environments": "부트 환경",
"Boot Loader Type": "부트 로더 유형",
- "Boot Method": "부팅 방법",
- "Boot Pool Status": "부팅 풀 상태",
- "Boot environment name. Alphanumeric characters, dashes (-), underscores (_), and periods (.) are allowed.": "부팅 환경 이름. 영숫자, 대시 (-), 밑줄(_), 점(.)이 허용됩니다.",
- "Boot environment to be cloned.": "복제할 부팅 환경.",
+ "Boot Method": "부트 방법",
+ "Boot Pool Condition": "부트 풀 건강",
+ "Boot Pool Disk Replaced": "부트 풀 디스크 교체됨",
+ "Boot Pool Status": "부트 풀 상태",
+ "Boot environment name. Alphanumeric characters, dashes (-), underscores (_), and periods (.) are allowed.": "부트 환경 이름입니다. 알파벳과 숫자, 대시(-), 밑줄(_), 점(.)이 허용됩니다.",
+ "Boot environment to be cloned.": "복제할 부트 환경입니다.",
"Bot API Token": "봇 API 토큰",
- "Brainpool curves can be more secure, while secp curves can be faster. See Elliptic Curve performance: NIST vs Brainpool for more information.": "브레인풀 곡선은 더 안전하지만 secp 곡선은 더 빠를 수 있습니다. 자세한 내용은 타원 곡선 성능: NIST 대 Brainpool 을(를) 참조하세요.",
- "Bridge": "Bridge",
- "Bridge interface": "Bridge interface",
- "Browsable to Network Clients": "Browsable to Network Clients",
- "Browse to a CD-ROM file present on the system storage.": "시스템 스토리지에 있는 CD-ROM 파일을 브라우즈합니다.",
+ "Box": "박스",
+ "Brainpool curves can be more secure, while secp curves can be faster. See Elliptic Curve performance: NIST vs Brainpool for more information.": "브레인풀 곡선은 더 안전하지만 secp 곡선은 더 빠를 수 있습니다. 자세한 내용은 타원 곡선 성능: NIST 대 Brainpool 을(를) 참조하십시오.",
+ "Bridge": "브리지",
+ "Bridge Members": "브리지 구성원",
+ "Bridge Settings": "브리지 설정",
+ "Bridge interface": "브리지 인터페이스",
+ "Browsable to Network Clients": "네트워크 클라이언트에서 탐색 가능",
+ "Browse Catalog": "카탈로그 탐색",
+ "Browse to a CD-ROM file present on the system storage.": "시스템 스토리지에 있는 CD-ROM 파일을 탐색합니다.",
"Browse to a storage location and add the name of the new raw file on the end of the path.": "스토리지 위치를 찾아 새로운 raw 파일 이름을 경로의 끝에 추가합니다.",
"Browse to an existing pool or dataset to store the new zvol.": "새로운 zvol을 저장할 ZFS 데이터셋을 찾아 선택하세요.",
"Browse to the desired zvol on the disk.": "디스크에 있는 원하는 zvol을 찾아 선택하세요.",
"Browse to the existing path on the remote host to sync with. Maximum path length is 255 characters": "원격 호스트에서 동기화할 기존 경로를 찾아 선택하세요. 최대 경로 길이는 255자입니다.",
"Browse to the exported key file that can be used to unlock this dataset.": "이 데이터셋을 잠금 해제하는 데 사용할 수 있는 내보낸 키 파일을 선택하세요.",
- "Browse to the installer image file and click Upload.": "운영 체제 설치 이미지 파일로 이동하여 업로드를 클릭하세요.",
+ "Browse to the installer image file and click Upload.": "운영체제 설치 이미지 파일로 이동하여 업로드를 클릭하세요.",
"Browse to the keytab file to upload.": "업로드할 키탭 파일을 찾아 선택하세요.",
- "Browse to the operating system installer image file.": "운영 체제 설치 이미지 파일로 이동하여 선택하세요.",
+ "Browse to the operating system installer image file.": "운영체제 설치 이미지 파일로 이동하여 선택하세요.",
"Browse to the path to be copied. Linux file path limits apply. Other operating systems can have different limits which might affect how they can be used as sources or destinations.": "복사할 경로를 찾아 선택하세요. Linux 파일 경로 제한이 적용됩니다. 다른 운영 체제는 다른 제한이 적용될 수 있으므로 소스 또는 대상으로 사용하는 방법에 영향을 줄 수 있습니다.",
+ "Browser time: {time}": "브라우저 시각: {time}",
"Bucket": "버킷",
+ "Bucket Name": "버킷 이름",
"Bucket Policy Only": "버킷 정책만",
"Bug": "버그",
"Builtin": "내장",
- "Bulk Edit Disks": "디스크 대량 편집",
- "Bulk actions": "대량 작업",
- "Burst": "Burst",
- "By default, Samba uses a hashing algorithm for NTFS illegal characters. Enabling this option translates NTFS illegal characters to the Unicode private range.": "기본적으로 Samba는 NTFS 불법 문자에 대해 해싱 알고리즘을 사용합니다. 이 옵션을 활성화하면 NTFS 불법 문자가 유니코드 개인 범위로 번역됩니다.",
- "By default, the VM receives an auto-generated random MAC address. Enter a custom address into the field to override the default. Click Generate MAC Address to add a new randomized address into this field.": "기본적으로 VM은 자동으로 생성된 랜덤 MAC 주소를 받습니다. 이 필드에 사용자 정의 주소를 입력하여 기본값을 덮어쓸 수 있습니다. 새로운 랜덤 주소를 이 필드에 추가하려면 MAC 주소 생성을 클릭하세요.",
- "Change the default password to improve system security. The new password cannot contain a space or #.": "Change the default password to improve system security. The new password cannot contain a space or \\#.",
- "Encrypt (PUSH) or decrypt (PULL) file names with the rclone \"Standard\" file name encryption mode. The original directory structure is preserved. A filename with the same name always has the same encrypted filename.
PULL tasks that have Filename Encryption enabled and an incorrect Encryption Password or Encryption Salt will not transfer any files but still report that the task was successful. To verify that files were transferred successfully, click the finished task status to see a list of transferred files.": "Encrypt (PUSH) or decrypt (PULL) file names with the rclone \"Standard\" file name encryption mode. The original directory structure is preserved. A filename with the same name always has the same encrypted filename.
PULL tasks that have Filename Encryption enabled and an incorrect Encryption Password or Encryption Salt will not transfer any files but still report that the task was successful. To verify that files were transferred successfully, click the finished task status to see a list of transferred files.",
- "Endpoint type to choose from the service catalogue. Public is recommended, see the rclone documentation.": "Endpoint type to choose from the service catalogue. Public is recommended, see the rclone documentation.",
- "Enter or paste the VictorOps routing key.": "Enter or paste the VictorOps routing key.",
- "Group name cannot begin with a hyphen (-) or contain a space, tab, or these characters: , : + & # % ^ ( ) ! @ ~ * ? < > =. $ can only be used as the last character of the username.": "Group name cannot begin with a hyphen (-) or contain a space, tab, or these characters: , : + & \\# % ^ ( ) ! @ ~ * ? < > =. $ can only be used as the last character of the username.",
- "Icon file to use as the profile picture for new messages. Example: https://mattermost.org/wp-content/uploads/2016/04/icon.png.
Requires configuring Mattermost to override profile picture icons.": "Icon file to use as the profile picture for new messages. Example: https://mattermost.org/wp-content/uploads/2016/04/icon.png.
Requires configuring Mattermost to override profile picture icons.",
- "Initiators allowed access to this system. Enter an iSCSI Qualified Name (IQN) and click + to add it to the list. Example: iqn.1994-09.org.freebsd:freenas.local": "Initiators allowed access to this system. Enter an iSCSI Qualified Name (IQN) and click + to add it to the list. Example: iqn.1994-09.org.freebsd:freenas.local",
- "Name of the channel to receive notifications. This overrides the default channel in the incoming webhook settings.": "Name of the channel to receive notifications. This overrides the default channel in the incoming webhook settings.",
- "Number of simultaneous file transfers. Enter a number based on the available bandwidth and destination system performance. See rclone --transfers.": "Number of simultaneous file transfers. Enter a number based on the available bandwidth and destination system performance. See rclone --transfers.",
- "Openstack API key or password. This is the OS_PASSWORD from an OpenStack credentials file.": "Openstack API key or password. This is the OS_PASSWORD from an OpenStack credentials file.",
- "Openstack user name for login. This is the OS_USERNAME from an OpenStack credentials file.": "Openstack user name for login. This is the OS_USERNAME from an OpenStack credentials file.",
- "Region name - optional (rclone documentation).": "Region name - optional (rclone documentation).",
- "Specify the PCI device to pass thru (bus#/slot#/fcn#).": "Specify the PCI device to pass thru (bus\\#/slot\\#/fcn\\#).",
- "Storage URL - optional (rclone documentation).": "Storage URL - optional (rclone documentation).",
- "Telegram Bot API Token (How to create a Telegram Bot)": "Telegram Bot API Token (How to create a Telegram Bot)",
- "Tenant ID - optional for v1 auth, this or tenant required otherwise (rclone documentation).": "Tenant ID - optional for v1 auth, this or tenant required otherwise (rclone documentation).",
- "Tenant domain - optional (rclone documentation).": "Tenant domain - optional (rclone documentation).",
- "The OU in which new computer accounts are created. The OU string is read from top to bottom without RDNs. Slashes (\"/\") are used as delimiters, like Computers/Servers/NAS. The backslash (\"\\\") is used to escape characters but not as a separator. Backslashes are interpreted at multiple levels and might require doubling or even quadrupling to take effect. When this field is blank, new computer accounts are created in the Active Directory default OU.": "The OU in which new computer accounts are created. The OU string is read from top to bottom without RDNs. Slashes (\"/\") are used as delimiters, like Computers/Servers/NAS. The backslash (\"\\\\\") is used to escape characters but not as a separator. Backslashes are interpreted at multiple levels and might require doubling or even quadrupling to take effect. When this field is blank, new computer accounts are created in the Active Directory default OU.",
- "This is the OS_TENANT_NAME from an OpenStack credentials file.": "This is the OS_TENANT_NAME from an OpenStack credentials file.",
- "Upload a Google Service Account credential file. The file is created with the Google Cloud Platform Console.": "Upload a Google Service Account credential file. The file is created with the Google Cloud Platform Console.",
- "Use rclone crypt to manage data encryption during PUSH or PULL transfers:
PUSH: Encrypt files before transfer and store the encrypted files on the remote system. Files are encrypted using the Encryption Password and Encryption Salt values.
PULL: Decrypt files that are being stored on the remote system before the transfer. Transferring the encrypted files requires entering the same Encryption Password and Encryption Salt that was used to encrypt the files.
Additional details about the encryption algorithm and key derivation are available in the rclone crypt File formats documentation.": "Use rclone crypt to manage data encryption during PUSH or PULL transfers:
PUSH: Encrypt files before transfer and store the encrypted files on the remote system. Files are encrypted using the Encryption Password and Encryption Salt values.
PULL: Decrypt files that are being stored on the remote system before the transfer. Transferring the encrypted files requires entering the same Encryption Password and Encryption Salt that was used to encrypt the files.
Additional details about the encryption algorithm and key derivation are available in the rclone crypt File formats documentation.",
- "User ID to log in - optional - most swift systems use user and leave this blank (rclone documentation).": "User ID to log in - optional - most swift systems use user and leave this blank (rclone documentation).",
- "User domain - optional (rclone documentation).": "User domain - optional (rclone documentation).",
- "Username of the SNMP User-based Security Model (USM) user.": "Username of the SNMP User-based Security Model (USM) user.",
- "[Use fewer transactions in exchange for more RAM.](https://rclone.org/docs/#fast-list) This can also speed up or slow down the transfer.": "[Use fewer transactions in exchange for more RAM.](https://rclone.org/docs/\\#fast-list) This can also speed up or slow down the transfer."
+ "Bulk Actions": "일괄 동작",
+ "Bulk Edit Disks": "디스크 일괄 수정",
+ "Bulk actions": "일괄 동작",
+ "By default, Samba uses a hashing algorithm for NTFS illegal characters. Enabling this option translates NTFS illegal characters to the Unicode private range.": "기본적으로 Samba는 NTFS 사용 금지 문자에 대해 해싱 알고리즘을 사용합니다. 이 옵션을 활성화 해 NTFS 사용 금지 문자를 유니코드 사용자 영역으로 변환합니다.",
+ "By default, the VM receives an auto-generated random MAC address. Enter a custom address into the field to override the default. Click Generate MAC Address to add a new randomized address into this field.": "기본적으로 VM에는 임의의 MAC 주소가 자동으로 부여됩니다. 이 필드에 사용자 정의 주소를 입력하여 기본값을 덮어쓸 수 있습니다. MAC 주소 생성을 눌러 임의의 주소를 생성할 수 있습니다.",
+ "CD-ROM Path": "CD-ROM 경로",
+ "CPU & Memory": "CPU와 메모리",
+ "CPU And Memory": "CPU와 메모리",
+ "CPU Configuration": "CPU 구성",
+ "CPU Mode": "CPU 모드",
+ "CPU Model": "CPU 모델",
+ "CPU Overview": "CPU 개요",
+ "CPU Recent Usage": "최근 CPU 사용량",
+ "CPU Reports": "CPU 보고서",
+ "CPU Stats": "CPU 통계",
+ "CPU Temperature Per Core": "CPU 코어별 온도",
+ "CPU Usage": "CPU 사용량",
+ "CPU Usage Per Core": "CPU 코어별 사용량",
+ "CPUs and Memory": "CPU와 메모리",
+ "Cache": "캐시",
+ "Cache VDEVs": "캐시 VDEV",
+ "Caches": "캐시",
+ "Cancel": "취소",
+ "Capacity": "용량",
+ "Capacity Settings": "용량 설정",
+ "Catalog": "카탈로그",
+ "Catalogs": "카탈로그",
+ "Categories": "분류",
+ "Category": "분류",
+ "Certificates": "인증서",
+ "Change Password": "비밀번호 변경",
+ "Change Server": "서버 변경",
+ "Change log": "변경내역",
+ "Change the default password to improve system security. The new password cannot contain a space or #.": "기본 비밀번호를 바꿔 시스템 보안을 향상시킵니다. 비밀번호는 공백이나 #을(를) 포함할 수 없습니다.",
+ "Changelog": "변경내역",
+ "Changes Saved": "변경사항 저장됨",
+ "Channel": "채널",
+ "Check": "확인",
+ "Check for Software Updates": "소프트웨어 업데이트 확인",
+ "Check for Updates": "업데이트 확인",
+ "Check for Updates Daily and Download if Available": "매일 업데이트를 확인하고 있으면 다운로드",
+ "Check for docker image updates": "도커 이미지 업데이트 확인",
+ "Checksum": "체크섬",
+ "Checksum Errors": "체크섬 오류",
+ "Close panel": "패널 닫기",
+ "Close the form": "양식 닫기",
+ "Cloud Sync to Storj or similar provider": "Storj 등의 클라우드 제공자에게 동기화",
+ "Configure": "구성",
+ "Configure ACL": "ACL 구성",
+ "Configure Console": "콘솔 구성",
+ "Configure Dashboard": "대시모드 구성",
+ "Configure Email": "이메일 구성",
+ "Configure Global Two Factor Authentication": "전역 2단계 인증 구성",
+ "Configure Kernel": "커널 구성",
+ "Configure LDAP": "LDAP 구성",
+ "Configure Notifications": "알림 구성",
+ "Configure Replication": "복제작업 구성",
+ "Configure Sessions": "세션 구성",
+ "Configure Storage": "저장소 구성",
+ "Configure dashboard to edit this widget.": "이 위젯을 수정하기 위해 대시보드를 구성합니다.",
+ "Configure iSCSI": "iSCSI 구성",
+ "Configure now": "지금 구성",
+ "Configuring...": "구성하는 중...",
+ "Confirm": "승인",
+ "Confirm Export/Disconnect": "내보내기/연결끊기 승인",
+ "Confirm New Password": "새 비밀번호 확인",
+ "Confirm Passphrase": "비밀구절 확인",
+ "Confirm Passphrase value must match Passphrase": "비밀구절 확인란은 비밀구절과 일치해야 합니다.",
+ "Confirm Password": "비밀번호 확인",
+ "Confirm SED Password": "SED 비밀번호 확인",
+ "Connect": "연결",
+ "Connect Timeout": "연결 시간초과",
+ "Connected Initiators": "연결된 이니시에이터",
+ "Console": "콘솔",
+ "Console Menu": "콘솔 메뉴",
+ "Console Settings": "콘솔 설정",
+ "Container": "콘테이너",
+ "Container ID": "콘테이너 ID",
+ "Container Images": "콘테이너 이미지",
+ "Container Logs": "콘테이너 기록",
+ "Containers": "콘테이너",
+ "Containers (WIP)": "콘테이너 (WIP)",
+ "Continue": "계속",
+ "Continue in background": "백그라운드에서 계속",
+ "Controls whether SMART monitoring and scheduled SMART tests are enabled.": "S.M.A.R.T. 모니터링과 일정에 따른 S.M.A.R.T. 검사를 활성화합니다.",
+ "Create New": "새로 만들기",
+ "Create Periodic S.M.A.R.T. Test": "주기적인 S.M.A.R.T. 검사 만들기",
+ "Create Periodic Snapshot Task": "주기적인 스냅샷 작업 만들기",
+ "Create Pool": "풀 만들기",
+ "Create Privilege": "권한 만들기",
+ "Create Replication Task": "복제 작업 만들기",
+ "Create Rsync Task": "Rsync 작업 만들기",
+ "Create SMB Share": "SMB 공유 만들기",
+ "Create SSH Connection": "SSH 연결 만들기",
+ "Create Scrub Task": "스크럽 작업 만들기",
+ "Create Share": "공유 만들기",
+ "Create Snapshot": "스냅샷 만들기",
+ "Create Snapshot Task": "스냅샷 작업 만들기",
+ "Create User": "사용자 만들기",
+ "Create VM": "VM 만들기",
+ "Create Virtual Machine": "가상머신 만들기",
+ "Create Zvol": "Zvol 만들기",
+ "Create a custom ACL": "사용자 ACL 만들기",
+ "Create pool": "풀 만들기",
+ "Created Date": "만들어진 날짜",
+ "Creation Time": "만들어진 시간",
+ "Credential": "자격증명",
+ "Credentials": "자격증명",
+ "Credentials have been successfully added.": "자격증명이 성공적으로 추가되었습니다.",
+ "Credentials: {credentials}": "자격증명: {credentials}",
+ "Current Configuration": "현재 구성",
+ "Current Default Gateway": "현재 기본 게이트웨이",
+ "Current Password": "현재 비밀번호",
+ "Current Sensor": "현재 센서",
+ "Current State": "현재 상태",
+ "Current Version": "현재 버전",
+ "Custom": "사용자",
+ "DEBUG": "디버그",
+ "DEFAULT": "기본",
+ "DNS Domain Name": "DNS 도메인 네임",
+ "DNS Servers": "DNS 서버",
+ "DNS Timeout": "DNS 시간초과",
+ "Dashboard": "대시보드",
+ "Dashboard settings saved": "대시보드 설정 저장됨",
+ "Data": "데이터",
+ "Data Devices": "데이터 장치",
+ "Data Protection": "데이터 보호",
+ "Data Quota": "데이터 할당량",
+ "Data VDEVs": "데이터 VDEV",
+ "Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "각 디스크의 데이터는 동일합니다. 최소 2개의 디스크가 필요하며, 가장 높은 데이터 다중화를 제공하지만 가장 낮은 용량 가용성을 가집니다.",
+ "Database": "데이터베이스",
+ "Dataset": "데이터셋",
+ "Dataset Capacity Management": "데이터셋 용량 관리",
+ "Dataset Data Protection": "데이터셋 데이터 보호",
+ "Dataset Delete": "데이터셋 삭제",
+ "Dataset Details": "데이터셋 상세",
+ "Dataset Information": "데이터셋 정보",
+ "Dataset Key": "데이터셋 키",
+ "Dataset Name": "데이터셋 이름",
+ "Dataset Passphrase": "데이터셋 비밀구절",
+ "Dataset Permissions": "데이터셋 권한",
+ "Dataset Preset": "데이터셋 사전설정",
+ "Dataset Quota": "데이터셋 할당량",
+ "Dataset Rollback From Snapshot": "스냅샷으로부터 데이터셋 되돌리기",
+ "Dataset Space Management": "데이터셋 공간 관리",
+ "Day(s)": "일",
+ "Days": "일",
+ "Dec": "12월",
+ "Dedup": "중복제거",
+ "Dedup VDEVs": "VDEV 중복제거",
+ "Default": "기본",
+ "Delay Updates": "업데이트 연기",
+ "Delete": "삭제",
+ "Delete {deviceType} {device}": "{deviceType} {device} 삭제",
+ "Delete API Key": "API 키 삭제",
+ "Delete Alert Service \"{name}\"?": "알림 서비스인 \"{name}\"을(를) 삭제하시겠습니까?",
+ "Delete All Selected": "선택된 항목 삭제",
+ "Delete Allowed Address": "허용된 주소 삭제",
+ "Delete App": "앱 삭제",
+ "Delete Catalog": "카탈로그 삭제",
+ "Delete Certificate": "인증서 삭제",
+ "Delete Certificate Authority": "인증기관 삭제",
+ "Delete Children": "하위 항목 삭제",
+ "Delete Cloud Backup \"{name}\"?": "클라우드 백업인 \"{name}\"을(를) 삭제하시겠습니까?",
+ "Delete Cloud Credential": "클라우드 자격증명 삭제",
+ "Delete Cloud Sync Task \"{name}\"?": "클라우드 동기화 작업인 \"{name}\"을(를) 삭제하시겠습니까?",
+ "Delete Device": "장치 삭제",
+ "Delete Group": "그룹 삭제",
+ "Delete Group Quota": "그룹 할당량 삭제",
+ "Delete Init/Shutdown Script {script}?": "초기화/종료 스크립트인 {scripte}를 삭제하시겠습니까?",
+ "Delete Interface": "인터페이스 삭제",
+ "Delete Item": "항목 삭제",
+ "Delete NTP Server": "NTP 서버 삭제",
+ "Delete Periodic Snapshot Task \"{value}\"?": "주기적인 스냅샷 작업인 \"{value}\"을(를) 삭제하시겠습니까?",
+ "Delete Privilege": "권한 삭제",
+ "Delete Replication Task \"{name}\"?": "복제 작업인 \"{name}\"을(를) 삭제하시겠습니까?",
+ "Delete Rsync Task \"{name}\"?": "Rsync 작업인 \"{name}\"을(를) 삭제하시겠습니까?",
+ "Delete S.M.A.R.T. Test \"{name}\"?": "S.M.A.R.T. 검사인 \"{name}\"을(를) 삭제하시겠습니까?",
+ "Delete SSH Connection": "SSH 연결 삭제",
+ "Delete Script": "스크립트 삭제",
+ "Delete Scrub Task \"{name}\"?": "스크럽 작업인 \"{name}\"을(를) 삭제하시겠습니까?",
+ "Delete Snapshot": "스냅샷 삭제",
+ "Delete Static Route": "정적 경로 삭제",
+ "Delete Task": "작업 삭제",
+ "Delete User": "사용자 삭제",
+ "Delete User Quota": "사용자 할당량 삭제",
+ "Delete Virtual Machine": "가상머신 삭제",
+ "Delete Virtual Machine Data?": "가상머신 데이터를 삭제하시겠습니까?",
+ "Delete dataset {name}": "데이터셋 {name} 삭제",
+ "Delete group": "그룹 삭제",
+ "Delete raw file": "원시 파일 삭제",
+ "Delete selections": "선택항목 삭제",
+ "Delete snapshot {name}?": "스냅샷 {name}을(를) 삭제하시겠습니까?",
+ "Delete zvol device": "Zvol 장치 삭제",
+ "Delete zvol {name}": "Zvol {name} 삭제",
+ "Delete {n, plural, one {# user} other {# users}} with this primary group?": "{n}명의 사용자를 기본 그룹에서 삭제하시겠습니까?",
+ "Delete {name}?": "{name}을(를) 삭제하시겠습니까?",
+ "Deleted {n, plural, one {# snapshot} other {# snapshots} }": "{n}개의 스냅샷 삭제됨",
+ "Deleting interfaces while HA is enabled is not allowed.": "HA가 활성화된 상태에서는 인터페이스를 삭제할 수 없습니다.",
+ "Deleting...": "삭제하는 중...",
+ "Deny": "거부",
+ "Deny All": "모두 거부",
+ "Description": "설명",
+ "Description (optional).": "설명 (선택사항)",
+ "Detach": "분리",
+ "Detach Disk": "디스크 분리",
+ "Detach disk {name}?": "디스크 {name}을(를) 분리하시겠습니까?",
+ "Details": "상세",
+ "Details for": "상세한",
+ "Details for {vmDevice}": "{vmDevice} 상세",
+ "Device": "장치",
+ "Device Busy": "장치 사용중",
+ "Device ID": "장치 ID",
+ "Device Name": "장치 이름",
+ "Device Order": "장치 순서",
+ "Device added": "장치 추가됨",
+ "Device deleted": "장치 삭제됨",
+ "Device is readonly and cannot be removed.": "장치가 읽기전용이므로 제거할 수 없습니다.",
+ "Device names of each disk being edited.": "수정할 각 장치의 이름입니다.",
+ "Device removed": "장치 제거됨",
+ "Device updated": "장치 갱신됨",
+ "Device was added": "이미 추가된 장치",
+ "Device «{disk}» has been detached.": "장치 «{disk}»이(가) 분리되었습니다.",
+ "Device «{name}» was successfully attached.": "장치 «{name}»이(가) 성공적으로 탑재되었습니다.",
+ "Device/File": "장치/파일",
+ "Devices": "장치",
+ "Direction": "방향",
+ "Directories and Permissions": "디렉토리와 권한",
+ "Directory Inherit": "디렉토리 상속",
+ "Directory Mask": "디렉토리 마스크",
+ "Directory Permissions": "디렉토리 권한",
+ "Directory Services": "디렉토리 서비스",
+ "Directory Services Groups": "디렉토리 서비스 구릅",
+ "Directory Services Monitor": "디렉토리 서비스 감시",
+ "Directory/Files": "디렉토리/파일",
+ "Disable": "끄기",
+ "Disable AD User / Group Cache": "AD 사용자/그룹 캐시 끄기",
+ "Disable Endpoint Region": "엔드포인트 지역 끄기",
+ "Disable LDAP User/Group Cache": "LDAP 사용자/그룹 캐시 끄기",
+ "Disable Password": "비밀번호 끄기",
+ "Disabled": "꺼짐",
+ "Disabled in Disk Settings": "디스크 설정에서 꺼짐",
+ "Discard": "폐기",
+ "Disconnect": "연결끊기",
+ "Disk": "디스크",
+ "Disk Description": "디스크 설명",
+ "Disk Details for {disk}": "{disk}의 상세내역",
+ "Disk Details for {disk} ({descriptor})": "{disk}({descriptor})의 상세내역",
+ "Disk Health": "디스크 건강",
+ "Disk I/O": "디스크 입출력",
+ "Disk I/O Full Pressure": "디스크 입출력 전체 압력",
+ "Disk IO": "디스크 입출력",
+ "Disk Info": "디스크 정보",
+ "Disk Reports": "디스크 보고서",
+ "Disk Sector Size": "디스크 섹터 크기",
+ "Disk Size": "디스크 크기",
+ "Disk Tests": "디스크 검사",
+ "Disk Type": "디스크 유형",
+ "Disk Wiped successfully": "디스크를 성공적으로 지웠습니다.",
+ "Disk device name.": "디스크 장치 이름입니다.",
+ "Disk is unavailable": "디스크 사용할 수 없음",
+ "Disk not attached to any pools.": "디스크가 풀에 탑재되지 않았습니다.",
+ "Disk saved": "디스크 저장됨",
+ "Disk settings successfully saved.": "디스크 설정을 성공적으로 저장했습니다.",
+ "Disks": "디스크",
+ "Disks Overview": "디스크 개요",
+ "Disks temperature related alerts": "디스크 온도 관련 알림",
+ "Disks to be edited:": "수정할 디스크",
+ "Disks w/ZFS Errors": "ZFS 오류가 발생한 디스크",
+ "Disks with Errors": "오류가 발생한 디스크",
+ "Dismiss": "무시",
+ "Dismiss All Alerts": "모든 경고 무시",
+ "Dismissed": "무시됨",
+ "Display": "디스플레이",
+ "Display Login": "디스플레이 로그인",
+ "Display Port": "디스플레이 포트",
+ "Display console messages in real time at the bottom of the browser.": "브라우저 하단에 실시간으로 콘솔 메시지를 표시합니다.",
+ "Do not save": "저장하지 않음",
+ "Do not set this if the Serial Port is disabled.": "직렬 포트를 사용할 수 없으면 설정하지 마십시오.",
+ "Do you want to configure the ACL?": "ACL을(를) 구성하시겠습니까?",
+ "Docker Host": "도커 호스트",
+ "Docker Image": "도커 이미지",
+ "Docs": "문서",
+ "Does your business need Enterprise level support and services? Contact iXsystems for more information.": "기업 수준의 지원 서비스가 필요하십니까? iXsystems으로 연락해 자세한 정보를 얻을 수 있습니다.",
+ "Domain": "도메인",
+ "Domain Account Name": "도메인 계정 이름",
+ "Domain Account Password": "도메인 계정 비밀번호",
+ "Domain Name": "도메인 네임",
+ "Domain Name System": "도메인 네임 시스템",
+ "Domain:": "도메인:",
+ "Domains": "도메인",
+ "Don't Allow": "허용하지 않음",
+ "Done": "완료",
+ "Download": "다운로드",
+ "Download Authorized Keys": "인증 키 다운로드",
+ "Download Config": "구성 다운로드",
+ "Download Configuration": "구성 다운로드",
+ "Download Encryption Key": "암호화 키 다운로드",
+ "Download File": "파일 다운로드",
+ "Download Key": "키 다운로드",
+ "Download Keys": "키 다운로드",
+ "Download Logs": "기록 다운로드",
+ "Download Private Key": "개인 키 다운로드",
+ "Download Public Key": "공개 키 다운로드",
+ "Download Update": "업데이트 다운로드",
+ "Download Updates": "업데이트 다운로드",
+ "Download encryption keys": "암호화 키 다운로드",
+ "Drag & drop disks to add or remove them": "끌어다 놓기로 디스크를 추가하거나 제거",
+ "Drive Details": "드라이브 상세",
+ "Drive Temperatures": "드라이브 온도",
+ "Drive reserved for inserting into DATA pool VDEVs when an active drive has failed.": "데이터 풀 VDEV의 드라이브가 실패하면 대체되도록 예비된 드라이브입니다.",
+ "Driver": "드라이버",
+ "Drives and IDs registered to the Microsoft account. Selecting a drive also fills the Drive ID field.": "드라이브와 ID가 Microsoft 계정에 등록되어 있습니다. 드라이브를 선택하면 자동으로 드라이브 ID칸을 채웁니다.",
+ "Dropbox": "Dropbox",
+ "E-mail address that will receive SNMP service messages.": "SNMP 서비스 메시지를 수신할 이메일 주소입니다.",
+ "EMERGENCY": "긴급",
+ "ERROR": "오류",
+ "ERROR: Not Enough Memory": "오류: 메모리 부족",
+ "EXPIRED": "만료됨",
+ "EXPIRES TODAY": "오늘 만료",
+ "Each disk stores data. A stripe requires at least one disk and has no data redundancy.": "각 디스크에 데이터를 저장합니다. 하나의 디스크로도 구성할 수 있고, 데이터 다중화를 하지 않습니다.",
+ "Edit": "수정",
+ "Edit ACL": "ACL 수정",
+ "Edit API Key": "API 키 수정",
+ "Edit Alert Service": "경고 서비스 수정",
+ "Edit Application Settings": "애플리케이션 설정 수정",
+ "Edit Authorized Access": "인증 접근 수정",
+ "Edit Auto TRIM": "자동 TRIM 수정",
+ "Edit CSR": "CSR 수정",
+ "Edit Catalog": "카탈로그 수정",
+ "Edit Certificate": "인증서 수정",
+ "Edit Certificate Authority": "인증기관 수정",
+ "Edit Cloud Sync Task": "클라우드 동기화 작업 수정",
+ "Edit Cron Job": "Cron 작업 수정",
+ "Edit Custom App": "사용자 앱 수정",
+ "Edit Dataset": "데이터셋 수정",
+ "Edit Device": "장치 수정",
+ "Edit Disk": "디스크 수정",
+ "Edit Disk(s)": "디스크 수정",
+ "Edit Encryption Options for {dataset}": "{dataset}의 암호화 옵션 수정",
+ "Edit Filesystem ACL": "파일시스템 ACL 수정",
+ "Edit Global Configuration": "전역 구성 수정",
+ "Edit Group": "그룹 수정",
+ "Edit Group Quota": "그룹 할당량 수정",
+ "Edit Init/Shutdown Script": "초기화/종료 스크립트 수정",
+ "Edit Instance: {name}": "인스턴스 수정: {name}",
+ "Edit Interface": "인터페이스 수정",
+ "Edit Manual Disk Selection": "디스크 수동 선택 수정",
+ "Edit NFS Share": "NFS 공유 수정",
+ "Edit NTP Server": "NTP 서버 수정",
+ "Edit Periodic Snapshot Task": "주기적인 스냅샷 작업 수정",
+ "Edit Permissions": "권한 수정",
+ "Edit Privilege": "권한 수정",
+ "Edit Proxy": "프록시 수정",
+ "Edit Replication Task": "복제 작업 수정",
+ "Edit Rsync Task": "Rsync 작업 수정",
+ "Edit S.M.A.R.T. Test": "S.M.A.R.T. 검사 수정",
+ "Edit SMB": "SMB 수정",
+ "Edit SSH Connection": "SSH 연결 수정",
+ "Edit Scrub Task": "스크럽 작업 수정",
+ "Edit Share ACL": "공유 ACL 수정",
+ "Edit Static Route": "정적 경로 수정",
+ "Edit Trim": "Trim 수정",
+ "Edit TrueCloud Backup Task": "TrueCloud 백업 작업 수정",
+ "Edit User": "사용자 수정",
+ "Edit User Quota": "사용자 할당량 수정",
+ "Edit VM": "가상머신 수정",
+ "Edit VM Snapshot": "가상머신 스냅샷 수정",
+ "Edit Zvol": "Zvol 수정",
+ "Edit group": "그룹 수정",
+ "Editing interface will result in default gateway being removed, which may result in TrueNAS being inaccessible. You can provide new default gateway now:": "인터페이스를 수정하면 기본 게이트웨이를 제거해 TrueNAS에 접근하지 못할 수 있습니다. 새로운 게이트웨이를 바로 제공할 수 있습니다:",
+ "Editing interfaces while HA is enabled is not allowed.": "HA가 활성화된 상태에서는 인터페이스를 수정할 수 없습니다.",
+ "Editing top-level datasets can prevent users from accessing data in child datasets.": "상위 단계의 데이터셋을 수정하면 사용자가 하위 데이터셋에 접근하지 못할 수 있습니다.",
+ "Element": "요소",
+ "Elements": "요소",
+ "Email": "이메일",
+ "Email Options": "이메일 옵션",
+ "Email Subject": "이메일 제목",
+ "Email settings updated.": "이메일 설정이 갱신되었습니다.",
+ "Emergency": "긴급",
+ "Empty": "비어 있음",
+ "Enable": "켜기",
+ "Enable ACL": "ACL 켜기",
+ "Enable ACL support for the SMB share.": "SMB 공유에 ACL 지원을 활성화합니다.",
+ "Enable Apple SMB2/3 Protocol Extensions": "Apple SMB2/3 프로토콜 확장 켜기",
+ "Enable Debug Kernel": "디버그 커널 켜기",
+ "Enable Display": "디스플레이 켜기",
+ "Enable Kernel Debug": "커널 디버그 켜기",
+ "Enable NFS over RDMA": "RDMA를 통한 NFS 켜기",
+ "Enable S.M.A.R.T.": "S.M.A.R.T. 켜기",
+ "Enable SMB1 support": "SMB1 지원 켜기",
+ "Enable SMTP configuration": "SMTP 구성 켜기",
+ "Enable Service": "서비스 켜기",
+ "Enable TLS": "TLS 켜기",
+ "Enable TPC": "TPC 켜기",
+ "Enable Time Machine backups on this share.": "이 공유를 통한 타임머신 백업을 허용",
+ "Enable Two Factor Authentication Globally": "전역 2단계 인증 활성화",
+ "Enable Two Factor Authentication for SSH": "SSH 2단계 인증 활성화",
+ "Enabled": "켜짐",
+ "Enabled 'Time Machine'": "'타임머신' 켜짐",
+ "Enabled 'Use as Home Share'": "'가정에서 사용' 켜짐",
+ "Enabled HTTPS Redirect": "HTTPS 접속변경 켜짐",
+ "Enabled Protocols": "활성화된 프로토콜",
+ "Enabling Time Machine on an SMB share requires restarting the SMB service.": "SMB 공유를 통한 타임머신을 활성화하려면 SMB 서비스를 재시작해야 합니다.",
+ "Enabling this option is not recommended as it bypasses a security mechanism.": "이 옵션은 보안 설정을 우회하므로 권장하지 않습니다.",
+ "Encrypt (PUSH) or decrypt (PULL) file names with the rclone \"Standard\" file name encryption mode. The original directory structure is preserved. A filename with the same name always has the same encrypted filename.
PULL tasks that have Filename Encryption enabled and an incorrect Encryption Password or Encryption Salt will not transfer any files but still report that the task was successful. To verify that files were transferred successfully, click the finished task status to see a list of transferred files.": "Rclone \"표준\" 파일명 암호화 모드를 통해 파일명을 암호화(PUSH) 또는 복호화(PULL)합니다. 원본 디렉토리 구조는 유지됩니다. 파일명이 같으면 암호화 된 이름도 같습니다.
PULL 작업에 파일명 암호화 옵션이 활성화 되었으나 잘못된 암호화 비밀번호나 암호화 솔트(salt)가 지정된 경우, 파일은 전송되지 않으나 작업이 성공했다고 나타납니다. 파일이 성공적으로 전송되었는지 검증하기 위해, 완료된 작업 상태를 눌러 전송된 파일의 목록을 확인하세요.",
+ "Encrypted Datasets": "암호화된 데이터셋",
+ "Encryption": "암호화",
+ "Encryption (more secure, but slower)": "암호화 (더 안전하지만, 더 느림)",
+ "Encryption Key": "암호화 키",
+ "Encryption Key Format": "암호화 키 형식",
+ "Encryption Key Location in Target System": "대상 시스템의 암호화 키 위치",
+ "Encryption Mode": "암호화 모드",
+ "Encryption Options": "암호화 옵션",
+ "Encryption Options Saved": "암호화 옵션 저장됨",
+ "Encryption Password": "암호화 비밀번호",
+ "Encryption Protocol": "암호화 프로토콜",
+ "Encryption Root": "암호화 루트",
+ "Encryption Salt": "암호화 솔트(Salt)",
+ "Encryption Standard": "암호화 표준",
+ "Encryption Type": "암호화 유형",
+ "Encryption is for users storing sensitive data. Pool-level encryption does not apply to the storage pool or disks in the pool. It applies to the root dataset that shares the pool name and any child datasets created unless you change the encryption at the time you create the child dataset. For more information on encryption please refer to the TrueNAS Documentation hub.": "암호화는 민감한 데이터를 저장하는 데 유용합니다. 풀 단계의 암호화는 저장소 풀이나 풀에 속한 디스크에는 적용되지 않습니다. 풀 이름을 공유하는 최상위 데이터셋과, 생성할 때 암호화 설정을 바꾸지 않은 하위 데이터셋에만 적용됩니다. 암호화에 대한 더 많은 정보는 TrueNAS 문서 허브를 참조하십시오.",
+ "Encryption key that can unlock the dataset.": "데이터셋을 열 수 있는 암호화 키입니다.",
+ "End User License Agreement - TrueNAS": "최종 사용자 사용권 계약 - TrueNAS",
+ "End session": "세션 종료",
+ "Endpoint": "엔드포인트",
+ "Endpoint Type": "엔드포인트 유형",
+ "Endpoint URL": "엔드포인트 URL",
+ "Endpoint type to choose from the service catalogue. Public is recommended, see the rclone documentation.": "서비스 카탈로그에서 엔드포인트 유형을 선택합니다. 권장값은 Public입니다. Rclone 문서를 참조하세요.",
+ "Enter a Name (optional)": "이름 입력 (선택사항)",
+ "Enter a description of the Cloud Sync Task.": "클라우드 동기화 작업의 설명을 입력하십시오.",
+ "Enter a description of the cron job.": "Cron 작업의 설명을 입력하십시오.",
+ "Enter a description of the interface.": "인터페이스의 설명을 입력하십시오.",
+ "Enter a description of the rsync task.": "Rsync 작업의 설명을 입력하십시오.",
+ "Enter a description of the static route.": "정적 경로의 설명을 입력하십시오.",
+ "Enter a descriptive title for the new issue.": "새로운 이슈를 설명할 제목을 입력하십시오.",
+ "Enter a name for the new credential.": "새로운 자격증명의 이름을 입력하십시오.",
+ "Enter a name for the share.": "공유할 이름을 입력하십시오.",
+ "Enter a name of the TrueCloud Backup Task.": "TrueCloud 백업 작업의 이름을 입력하십시오.",
+ "Enter a password of at least eight characters.": "8자 이상의 비밀번호를 입력하십시오.",
+ "Enter a separate privacy passphrase. Password is used when this is left empty.": "별도의 개인 비밀구절을 입력하십시오. 비워두면 비밀번호를 사용합니다.",
+ "Enter a user to associate with this service. Keeping the default is recommended.": "이 서비스와 연결할 사용자를 입력하십시오. 기본값을 유지하길 권장합니다.",
+ "Enter a username to register with this service.": "이 서비스에 등록할 사용자 이름을 입력하십시오.",
+ "Enter a valid IPv4 address.": "올바른 IPv4 주소를 입력하십시오.",
+ "Enter an IPv4 address. This overrides the default gateway provided by DHCP.": "IPv4 주소를 입력하십시오. DHCP가 부여한 기본 게이트웨이를 대체합니다.",
+ "Enter an IPv6 address. This overrides the default gateway provided by DHCP.": "IPv6 주소를 입력하십시오. DHCP가 부여한 기본 게이트웨이를 대체합니다.",
+ "Enter an alphanumeric encryption key. Only available when Passphrase is the chosen key format.": "영문자와 숫자로 구성된 암호화 키를 입력하십시오. 키 형식을 비밀구절로 선택했을 때만 사용됩니다.",
+ "Enter an alphanumeric name for the certificate. Underscore (_), and dash (-) characters are allowed.": "영문자와 숫자로 구성된 인증서의 이름을 입력하십시오. 밑줄(_)과 대시(-) 문자도 사용할 수 있습니다.",
+ "Enter an alphanumeric name for the virtual machine.": "영문자와 숫자로 구성된 가상머신의 이름을 입력하십시오.",
+ "Enter an email address to override the admin account’s default email. If left blank, the admin account’s email address will be used": "관리자 계정의 기본 이메일을 대체할 이메일 주소를 입력하십시오. 비워두면 관리자 계정의 이메일 계정을 사용합니다.",
+ "Enter any information about this S.M.A.R.T. test.": "이 S.M.A.R.T. 검사에 대한 정보를 입력하십시오.",
+ "Enter any notes about this dataset.": "이 데이터셋에 대한 비고를 입력하십시오.",
+ "Enter dataset name to continue.": "계속하려면 데이터셋 이름을 입력하십시오.",
+ "Enter or paste a string to use as the encryption key for this dataset.": "이 데이터셋에 사용할 암호화 키를 붙여넣거나 입력하십시오.",
+ "Enter or paste the VictorOps routing key.": "VictorOps 라우팅 키를 입력하세요.",
+ "Enter or select the cloud storage location to use for this task.": "이 작업을 수행할 클라우드 저장소의 위치를 선택하거나 입력하십시오.",
+ "Enter password.": "비밀번호를 입력하십시오.",
+ "Enter the IP address of the gateway.": "게이트웨이의 IP 주소를 입력하십시오.",
+ "Enter the IP address or hostname of the VMware host. When clustering, this is the vCenter server for the cluster.": "IP 주소나 VMware 호스트의 호스트네임을 입력하십시오. 클러스터 작업시 vCenter 서버가 됩니다.",
+ "Enter the IP address or hostname of the remote system that will store the copy. Use the format username@remote_host if the username differs on the remote host.": "복사본을 저장할 원격 시스템의 IP 주소나 호스트네임을 입력하십시오. 원격 호스트의 사용자 이름이 다를 경우 사용자이름@리모트_호스트형식을 사용하십시오.",
+ "Enter the SSH Port of the remote system.": "원격 시스템의 SSH 포트를 입력하십시오.",
+ "Enter the command with any options.": "옵션을 포함한 명령을 입력하십시오.",
+ "Enter the default gateway of the IPv4 connection.": "IPv4 연결의 기본 게이트웨이를 입력하십시오.",
+ "Enter the desired address into the field to override the randomized MAC address.": "임의의 MAC 주소를 대체할 원하는 주소를 입력하십시오.",
+ "Enter the device name of the interface. This cannot be changed after the interface is created.": "인터페이스의 장치 이름을 입력하십시오. 인터페이스를 만들고 난 뒤에는 바꿀 수 없습니다.",
+ "Enter the email address of the new user.": "새로운 사용자의 이메일 주소를 입력하십시오.",
+ "Enter the filesystem to snapshot.": "스냅샷을 수행할 파일시스템을 입력하십시오.",
+ "Enter the full path to the command or script to be run.": "실행할 명령이나 스크립트의 전체 경로를 입력하십시오.",
+ "Enter the hostname or IP address of the NTP server.": "NTP서버의 호스트네임이나 IP 주소를 입력하십시오.",
+ "Enter the hostname to connect to.": "연결할 호스트네임을 입력하십시오.",
+ "Enter the location of the organization. For example, the city.": "단체의 위치를 입력하십시오. 예를 들어 도시를 입력할 수 있습니다.",
+ "Enter the location of the system.": "시스템의 위치를 입력하십시오.",
+ "Enter the name of the company or organization.": "회사나 단체의 이름을 입력해주십시오.",
+ "Enter the passphrase for the Private Key.": "개인 키에 대한 비밀구절을 입력하십시오.",
+ "Enter the password associated with Username.": "사용자 이름에 연결된 비밀번호를 입력하십시오.",
+ "Enter the password for the SMTP server. Only plain ASCII characters are accepted.": "SMTP 서버의 비밀번호를 입력하십시오. 평문의 ASCII 문자만 입력할 수 있습니다.",
+ "Enter the password used to connect to the IPMI interface from a web browser.": "웹 브라우저를 통한 IPMI 인터페이스 접속을 위한 비밀번호를 입력하십시오.",
+ "Enter the pre-Windows 2000 domain name.": "Windows 2000 이전의 도메인 네임을 입력하십시오.",
+ "Enter the subject for status emails.": "상태 이메일의 제목을 입력하십시오.",
+ "Enter the user on the VMware host with permission to snapshot virtual machines.": "가상머신 스냅샷의 권한을 가진 VMware 호스트 사용자를 입력하십시오.",
+ "Enter the username if the SMTP server requires authentication.": "SMTP 서버 인증이 필요한 경우 사용자 이름을 입력하십시오.",
+ "Enter the version to roll back to.": "되돌릴 버전을 입력하십시오.",
+ "Enter vm name to continue.": "가상머신의 이름을 입력해 계속합니다.",
+ "Enter zvol name to continue.": "Zvol의 이름을 입력해 계속합니다.",
+ "Environment": "환경",
+ "Environment Variable": "환경변수",
+ "Environment Variables": "환경변수",
+ "Error": "오류",
+ "Error ({code})": "오류 ({code})",
+ "Error In Apps Service": "앱 서비스 오류",
+ "Error Updating Production Status": "프로덕션 상태 갱신 오류",
+ "Error creating device": "장치 만들기 오류",
+ "Error deleting dataset {datasetName}.": "데이터셋 {datasetName}을(를) 삭제하는 데 오류가 발생했습니다.",
+ "Error detected reading App": "앱을 불러오는 데 오류 감지",
+ "Error exporting the Private Key": "개인 키 내보내기 오류",
+ "Error exporting the certificate": "자격증명 내보내기 오류",
+ "Error exporting/disconnecting pool.": "풀 내보내기/연결끊기 오류",
+ "Error getting chart data": "도표 데이터 수집 오류",
+ "Error occurred": "오류 발생",
+ "Error restarting web service": "웹서비스 재시작 오류",
+ "Error saving ZVOL.": "ZVOL 저장 오류",
+ "Error submitting file": "파일 전송 오류",
+ "Error updating disks": "디스크 갱신 오류",
+ "Error validating pool name": "풀 이름 검증 오류",
+ "Error validating target name": "대상 이름 검증 오류",
+ "Error when loading similar apps.": "유사한 앱을 불러오는 데 오류가 발생했습니다.",
+ "Error:": "오류:",
+ "Error: ": "오류: ",
+ "Errors": "오류",
+ "Est. Usable Raw Capacity": "사용 가능한 원시 용량(추정치)",
+ "Estimated data capacity available after extension.": "확장 후 사용 가능한 용량의 추정치입니다.",
+ "Estimated total raw data capacity": "전체 원시 데이터 용량(추정치)",
+ "Event": "이벤트",
+ "Event Data": "이벤트 데이터",
+ "Everything is fine": "모두 양호",
+ "Example: blob.core.usgovcloudapi.net": "예시: blob.core.usgovcloudapi.net",
+ "Exclude": "제외",
+ "Exclude Child Datasets": "하위 데이터셋 제외",
+ "Exclude by pattern": "패턴으로 제외",
+ "Execute": "실행",
+ "Existing Pool": "존재하는 풀",
+ "Existing presets": "존재하는 사전설정",
+ "Exit": "나가기",
+ "Exited": "나감",
+ "Expand": "확장",
+ "Expand pool ": "풀 확장",
+ "Expand pool to fit all available disk space.": "풀을 디스크 공간 전체로 확장합니다.",
+ "Expiration Date": "만료일",
+ "Expires": "만료",
+ "Export": "내보내기",
+ "Export All Keys": "모든 키 내보내기",
+ "Export As {fileType}": "{fileType}으로 내보내기",
+ "Export Config": "내보내기 구성",
+ "Export Configuration": "내보내기 구성",
+ "Export File": "파일 내보내기",
+ "Export Key": "키 내보내기",
+ "Export/Disconnect": "내보내기/연결끊기",
+ "Export/Disconnect Pool": "풀 내보내기/연결끊기",
+ "Export/disconnect pool: {pool}": "풀 내보내기/연결끊기: {pool}",
+ "FTP Host to connect to. Example: ftp.example.com.": "연결할 FTP 호스트입니다. 예시: ftp.example.com",
+ "FTP Port number. Leave blank to use the default port 21.": "FTP 포트 번호입니다. 비워두면 기본으로 21번을 사용합니다.",
+ "FTP Service": "FTP 서비스",
+ "Failed": "실패",
+ "Failed Authentication: {credentials}": "인증 실패: {credentials}",
+ "Failed Disks:": "실패한 디스크",
+ "Failed Jobs": "실패한 작업",
+ "Failed S.M.A.R.T. Tests": "실패한 S.M.A.R.T. 검사",
+ "Failed sending test alert!": "시험 경고 전송 실패!",
+ "Failed to load datasets": "데이터셋 불러오기 실패",
+ "Fast Storage": "빠른 저장소",
+ "Feature Request": "기능 요청",
+ "Features": "기능",
+ "Feb": "2월",
+ "Feedback Type": "피드백 유형",
+ "File": "파일",
+ "File ID": "파일 ID",
+ "File Inherit": "파일 상속",
+ "File Mask": "파일 마스크",
+ "File Permissions": "파일 권한",
+ "File size is limited to {n} MiB.": "파일 크기가 {n}MiB로 제한되었습니다.",
+ "File: {filename}": "파일: {filename}",
+ "Filename": "파일이름",
+ "Filename Encryption": "파일이름 암호화",
+ "Filesize": "파일크기",
+ "Filesystem": "파일시스템",
+ "Filter": "필터",
+ "Filter Groups": "그룹 필터",
+ "Filter Users": "사용자 필터",
+ "Filter by Disk Size": "디스크 크기로 필터",
+ "Filter by Disk Type": "디스크 유형으로 필터",
+ "Filters": "필터",
+ "Finding Pools": "풀 찾기",
+ "Finding pools to import...": "가져올 풀 찾기...",
+ "Finished": "완료",
+ "Finished Resilver on {date}": "{date}에 리실버 완료",
+ "Finished Scrub on {date}": "{date}에 스크럽 완료",
+ "Fix Credential": "자격증명 고치기",
+ "Folder": "폴더",
+ "For example if you set this value to 5, system will renew certificates that expire in 5 days or less.": "이 값을 5로 설정하면, 인증서의 만료일이 5일 이하로 남았을 때 시스템이 자동으로 갱신합니다.",
+ "Force": "강제",
+ "Force Delete": "강제 삭제",
+ "Force Delete?": "강제로 삭제하시겠습니까?",
+ "Force Stop After Timeout": "시간초과 후 강제 정지",
+ "Force delete": "강제 삭제",
+ "Force deletion of dataset {datasetName}?": "데이터셋 {datasetName}을(를) 강제로 삭제하시겠습니까?",
+ "Force unmount": "강제 분리",
+ "Forums": "포럼",
+ "Four quarter widgets in two by two grid": "4개의 위젯을 2열 2행으로 배치",
+ "Free": "여유",
+ "Free RAM": "여유 RAM",
+ "Free Space": "여유 공간",
+ "Fri": "금",
+ "Friday": "금요일",
+ "Full path to the pool, dataset or directory to share. The path must reside within a pool. Mandatory.": "공유할 풀 또는 데이터셋, 디렉토리의 전체 경로입니다. 경로는 반드시 풀 안에 속해야 합니다. 꼭.",
+ "Full with random data": "임의의 데이터로 채우기",
+ "Full with zeros": "0으로 채우기",
+ "GPU Devices": "GPU 장치",
+ "GPUs": "GPU",
+ "GUI SSL Certificate": "GUI SSL 인증서",
+ "GUI Settings": "GUI 설정",
+ "Gateway": "게이트웨이",
+ "General": "일반",
+ "General Info": "일반 정보",
+ "General Options": "일반 옵션",
+ "General Settings": "일반 설정",
+ "Generate": "생성",
+ "Generate CSR": "CSR 생성",
+ "Generate Certificate": "인증서 생성",
+ "Generate Debug File": "디버그 파일 생성",
+ "Generate Encryption Key": "암호화 키 생성",
+ "Generate Key": "키 생성",
+ "Generate New": "새로 생성",
+ "Generate New Password": "새로운 비밀번호 생성",
+ "Generic": "일반",
+ "Generic dataset suitable for any share type.": "일반 데이터셋은 모든 공유 유형에 적합합니다.",
+ "Get Support": "지원 받기",
+ "Global 2FA": "전역 2단계 인증",
+ "Global 2FA Enable": "전역 2단계 인증 활성화",
+ "Global Configuration": "전역 구성",
+ "Global Configuration Settings": "전역 구성 설정",
+ "Global SED Password": "전역 SED 비밀번호",
+ "Global Settings": "전역 설정",
+ "Global Target Configuration": "전역 대상 구성",
+ "Global Two Factor Authentication": "전역 2단계 인증",
+ "Global Two Factor Authentication Settings": "전역 2단계 인증 설정",
+ "Global password to unlock SEDs.": "SED를 열기 위한 전역 비밀번호입니다.",
+ "Gmail credentials have been applied.": "Gmail 자격증명이 적용되었습니다.",
+ "Go Back": "돌아가기",
+ "Go To Dataset": "데이터셋으로 가기",
+ "Go To Network Settings": "네트워크 설정으로 가기",
+ "Go back to the previous form": "이전 입력양식으로 돌아가기",
+ "Go to ACL Manager": "ACL 관리자로 가기",
+ "Go to Datasets": "데이터셋으로 가기",
+ "Go to Documentation": "문서로 가기",
+ "Go to HA settings": "HA설정으로 가기",
+ "Go to Jobs Page": "작업으로 가기",
+ "Go to Storage": "저장소로 가기",
+ "Google Cloud Storage": "Google 클라우드 저장소",
+ "Google Drive": "Google 드라이브",
+ "Google Photos": "Google 포토",
+ "Group": "그룹",
+ "Group name cannot begin with a hyphen (-) or contain a space, tab, or these characters: , : + & # % ^ ( ) ! @ ~ * ? < > =. $ can only be used as the last character of the username.": "그룹 이름은 하이픈(-)으로 시작하거나, 공백, 탭, 특정 기호(, : + & # % ^ ( ) ! @ ~ * ? < > =)를 포함할 수 없습니다. $ 기호는 사용자 이름의 마지막 글자로만 사용할 수 있습니다.",
+ "Group:": "그룹:",
+ "Groups": "그룹",
+ "Guest Account": "손님 계정",
+ "Guest Operating System": "게스트 운영체제",
+ "HDD Standby": "HDD 대기",
+ "Hardware": "하드웨어",
+ "Hardware Change": "하드웨어 변경",
+ "Hardware Disk Encryption": "하드웨어 디스크 암호화",
+ "Highest Temperature": "최고 온도",
+ "Highest Usage": "최고 사용량",
+ "Hostname": "호스트네임",
+ "Hostname (TrueNAS Controller 2)": "호스트네임 (TrueNAS 컨트롤러 2)",
+ "Hostname (Virtual)": "호스트네임 (가상)",
+ "Hostname and Domain": "호스트네임과 도메인",
+ "Hostname:": "호스트네임:",
+ "Hostname: {hostname}": "호스트네임: {hostname}",
+ "Hosts": "호스트",
+ "Hosts Allow": "허용된 호스트",
+ "Hosts Deny": "거부된 호스트",
+ "Hour(s)": "시간",
+ "Hours": "시간",
+ "Hours/Days": "시간/일",
+ "I Agree": "동의합니다",
+ "I Understand": "이해했습니다",
+ "I understand": "이해했습니다",
+ "IGNORE": "무시",
+ "INFO": "정보",
+ "IP Address": "IP 주소",
+ "IP Address/Subnet": "IP 주소/서브넷",
+ "IP Addresses": "IP 주소",
+ "IPMI Configuration": "IPMI 구성",
+ "IPMI Events": "IPMI 이벤트",
+ "IPMI Password Reset": "IPMI 비밀번호 재설정",
+ "IPv4 Address": "IPv4 주소",
+ "IPv4 Default Gateway": "IPv4 기본 게이트웨이",
+ "IPv4 Netmask": "IPv4 넷마스크",
+ "IPv4 Network": "IPv4 네트워크",
+ "IPv6 Address": "IPv6 주소",
+ "IPv6 Default Gateway": "IPv6 기본 게이트웨이",
+ "IPv6 Network": "IPv6 네트워크",
+ "Icon file to use as the profile picture for new messages. Example: https://mattermost.org/wp-content/uploads/2016/04/icon.png.
Requires configuring Mattermost to override profile picture icons.": "새로운 메시지의 프로파일 이미지로 사용될 아이콘 파일입니다. 예시: https://mattermost.org/wp-content/uploads/2016/04/icon.png.
Mattermost에서 프로파일 이미지 덮어쓰기를 설정해야 합니다.",
+ "If checked, disks of the selected size or larger will be used. If unchecked, only disks of the selected size will be used.": "체크하면 선택한 디스크의 크기 이상을 사용합니다. 체크하지 않으면 선택된 크기만 사용합니다.",
+ "Import": "불러오기",
+ "Import CA": "인증기관 불러오기",
+ "Import Certificate": "인증서 불러오기",
+ "Import Config": "구성 불러오기",
+ "Import Configuration": "구성 불러오기",
+ "Import File": "파일 불러오기",
+ "Import Pool": "풀 불러오기",
+ "In": "수신",
+ "In KiBs or greater. A default of 0 KiB means unlimited. ": "KiB 혹은 높은 값입니다. 기본값인 0 KiB은(는) 제한을 두지 않습니다.",
+ "Include everything": "모두 포함",
+ "Include/Exclude": "포함/제외",
+ "Included Paths": "포함된 경로",
+ "Incoming / Outgoing network traffic": "수신/송신 네트워크 트래픽",
+ "Incoming [{networkInterfaceName}]": "[{networkInterfaceName}] 수신",
+ "Incorrect Password": "잘못된 비밀번호",
+ "Incorrect or expired OTP. Please try again.": "잘못되거나 만료된 OTP입니다. 다시 시도해주십시오.",
+ "Info": "정보",
+ "Inherit": "상속",
+ "Inherit (encrypted)": "상속 (암호화)",
+ "Inherit (non-encrypted)": "상속 (비암호화)",
+ "Inherit ({value})": "상속 ({value})",
+ "Inherit Encryption": "암호화 상속",
+ "Initiators allowed access to this system. Enter an iSCSI Qualified Name (IQN) and click + to add it to the list. Example: iqn.1994-09.org.freebsd:freenas.local": "이 시스템에 접속이 허락된 이니시에이터 입니다. iSCSI Qualified Name (IQN)을 입력하고 +을(를) 눌러 목록에 추가합니다. 예시: iqn.1994-09.org.freebsd:freenas.local",
+ "Install": "설치",
+ "Install Another Instance": "다른 인스턴스 설치",
+ "Install Application": "애플리케이션 설치",
+ "Install Manual Update File": "수동 업데이트 파일 설치",
+ "Install NVIDIA Drivers": "NVIDIA 드라이버 설치",
+ "Install via YAML": "YAML로 설치",
+ "Installation Media": "설치 미디어",
+ "Installed": "설치됨",
+ "Installed Apps": "설치된 앱",
+ "Installer image file": "설치 이미지 파일",
+ "Installing": "설치중",
+ "Instance": "인스턴스",
+ "Instance Configuration": "인스턴스 구성",
+ "Instance Port": "인스턴스 포트",
+ "Instance Protocol": "인스턴스 프로토콜",
+ "Instance created": "인스턴스가 만들어짐",
+ "Instance is not running": "인스턴스가 실행되지 않음",
+ "Instance restarted": "인스턴스가 재시작됨",
+ "Instance started": "인스턴스가 시작됨",
+ "Instance stopped": "인스턴스가 멈춤",
+ "Instance updated": "인스턴스가 갱신됨",
+ "Instances": "인스턴스",
+ "Instances you create will automatically appear here.": "만들어진 인스턴스는 자동으로 이곳에 표시됩니다.",
+ "Interface": "인터페이스",
+ "Interface Settings": "인터페이스 설정",
+ "Interface changes reverted.": "인터페이스 변경사항을 되돌렸습니다.",
+ "Interfaces": "인터페이스",
+ "Intermediate CA": "중간 인증기관",
+ "Internal": "내부",
+ "Internal CA": "내부 인증기관",
+ "Internal Certificate": "내부 인증서",
+ "Invalid CPU configuration.": "올바르지 않은 CPU 구성입니다.",
+ "Invalid Date": "올바르지 않은 날짜",
+ "Invalid IP address": "올바르지 않은 IP 주소",
+ "Invalid file": "올바르지 않은 파일",
+ "Invalid format or character": "올바르지 않은 형식 혹은 문자",
+ "Invalid format. Expected format: =": "올바르지 않은 형식입니다. 가능한 형식: =",
+ "Invalid image": "올바르지 않은 이미지",
+ "Invalid pool name": "올바르지 않은 풀 이름",
+ "Invalid pool name (please refer to the documentation for valid rules for pool name)": "올바르지 않은 풀 이름 (올바른 풀 이름은 문서 참조바랍니다)",
+ "Invalid value. Missing numerical value or invalid numerical value/unit.": "올바르지 않은 값입니다. 숫자가 아니거나 잘못된 숫자 혹은 단위입니다.",
+ "Invalid value. Must be greater than or equal to ": "올바르지 않은 값입니다. 다음과 같거나 커야 합니다: ",
+ "Invalid value. Must be less than or equal to ": "올바르지 않은 값입니다. 다음과 같거나 작아야 합니다: ",
+ "Invalid value. Valid values are numbers followed by optional unit letters, like 256k
or 1 G
or 2 MiB
.": "올바르지 않은 값입니다. 256k
나 1 G
, 2 MiB
와 같이 숫자 뒤에 단위를 입력하십시오.",
+ "Jan": "1월",
+ "Jul": "7월",
+ "Jun": "6월",
+ "LINK STATE DOWN": "연결 상태 끊김",
+ "LINK STATE UNKNOWN": "연결 상태 불명",
+ "LINK STATE UP": "연결 상태 양호",
+ "Lan": "랜",
+ "Language": "언어",
+ "Languages other than English are provided by the community and may be incomplete. Learn how to contribute.": "영어 이외의 언어는 커뮤니티를 통해 제공되며 완벽하지 않을 수 있습니다. 참여하는 방법을 알아보십시오.",
+ "Last 24 hours": "지난 24시간",
+ "Last 3 days": "지난 3일",
+ "Last Page": "마지막 쪽",
+ "Last Resilver": "마지막 리실버",
+ "Last Run": "마지막 실행",
+ "Last Scan": "마지막 스캔",
+ "Last Scrub": "마지막 스크럽",
+ "Last Scrub Date": "마지막 스크럽 날짜",
+ "Last Scrub Run": "마지막 스크럽 실행",
+ "Last Snapshot": "마지막 스냅샷",
+ "Last month": "지난 달",
+ "Last successful": "마지막 성공",
+ "Last week": "지난 주",
+ "Layout": "배치",
+ "Level 1 - Minimum power usage with Standby (spindown)": "레벨 1 - 최소 전력, 대기모드 (디스크 대기)",
+ "Level 127 - Maximum power usage with Standby": "레벨 127 - 최대 전력, 대기모드",
+ "Level 128 - Minimum power usage without Standby (no spindown)": "레벨 128 - 최소 전력, 대기모드 없음 (디스크 대기 없음)",
+ "Level 192 - Intermediate power usage without Standby": "레벨 192 - 중간 전력, 대기모드 없음",
+ "Level 254 - Maximum performance, maximum power usage": "레벨 254 - 최대 전력, 최대 성능",
+ "Level 64 - Intermediate power usage with Standby": "레벨 64 - 중간 전력, 대기모드",
+ "License": "사용권",
+ "License Update": "사용권 갱신",
+ "Licensed Serials": "사용권 일련번호",
+ "Lifetime": "평생",
+ "Linux": "리눅스",
+ "Lock": "잠금",
+ "Locked": "잠김",
+ "Log": "기록",
+ "Log Details": "기록 상세",
+ "Log In": "로그인",
+ "Log Level": "기록 단계",
+ "Log Out": "로그아웃",
+ "Log Path": "기록 경로",
+ "Log VDEVs": "기록 VDEV",
+ "Logging Level": "기록 단계",
+ "Logging in...": "로그인 하는 중...",
+ "Logical Block Size": "논리 블록 크기",
+ "Login Banner": "로그인 배너",
+ "Logoff": "로그오프",
+ "Logout": "로그아웃",
+ "Logs": "기록",
+ "Logs Details": "기록 상세",
+ "Long time ago": "오래 전",
+ "Looking for help?": "도움말을 찾아보시겠습니까?",
+ "Lowest Temperature": "낮은 온도",
+ "MAC Address": "MAC 주소",
+ "MOVE": "이동",
+ "Machine": "장치",
+ "Machine Time: {machineTime} \n Browser Time: {browserTime}": "장치 시각: {machineTime} \n 장치 시각: {browserTime}",
+ "Mail Server Port": "메일서버 포트",
+ "Main menu": "주 메뉴",
+ "Make Destination Dataset Read-only?": "도착지 데이터셋을 읽기전용으로 만드시겠습니까?",
+ "Manage": "관리",
+ "Manage Advanced Settings": "고급 설정 관리",
+ "Manage Apps Settings": "앱 설정 관리",
+ "Manage Certificates": "인증서 관리",
+ "Manage Cloud Sync Tasks": "클라우드 동기화 작업 관리",
+ "Manage Configuration": "구성 관리",
+ "Manage Container Images": "콘테이너 이미지 관리",
+ "Manage Credentials": "자격증명 관리",
+ "Manage Datasets": "데이터셋 관리",
+ "Manage Devices": "장치 관리",
+ "Manage Disks": "디스크 관리",
+ "Manage Global SED Password": "전역 SED 비밀번호 관리",
+ "Manage Group Quotas": "그룹 할당량 관리",
+ "Manage Installed Apps": "설치된 앱 관리",
+ "Manage NFS Shares": "NFS 공유 관리",
+ "Manage Replication Tasks": "복제 작업 관리",
+ "Manage Rsync Tasks": "Rsync 작업 관리",
+ "Manage S.M.A.R.T. Tasks": "S.M.A.R.T. 작업 관리",
+ "Manage SED Password": "SED 비밀번호 관리",
+ "Manage SED Passwords": "SED 비밀번호 관리;",
+ "Manage SMB Shares": "SMB 공유 관리",
+ "Manage Services and Continue": "서비스 관리로 계속",
+ "Manage Snapshot Tasks": "스냅샷 작업 관리",
+ "Manage Snapshots": "스냅샷 관리",
+ "Manage Snapshots Tasks": "스냅샷 작업 관리",
+ "Manage User Quotas": "사용자 할당량 관리",
+ "Manage VM Settings": "VM 설정 관리",
+ "Manage ZFS Keys": "ZFS 키 관리",
+ "Manage iSCSI Shares": "iSCSI 공유 관리",
+ "Manage members of {name} group": "{name} 그룹 구성원 관리",
+ "Managed by TrueCommand": "TrueCommand이(가) 관리함",
+ "Management": "관리",
+ "Manual Disk Selection": "디스크 수동 선택",
+ "Manual S.M.A.R.T. Test": "S.M.A.R.T. 수동 검사",
+ "Manual Selection": "수동 선택",
+ "Manual Test": "수동 검사",
+ "Manual Update": "수동 업데이트",
+ "Manual Upgrade": "수동 업그레이드",
+ "Manual disk selection allows you to create VDEVs and add disks to those VDEVs individually.": "디스크 수동 선택을 통해 VDEV를 생성하고 디스크를 각각 할당할 수 있습니다.",
+ "Manual layout": "수동 배치",
+ "Manually Configured VDEVs": "수동으로 구성된 VDEV",
+ "Mar": "3월",
+ "Maximum value is {max}": "최대값은 {max}입니다",
+ "May": "5월",
+ "Memory": "메모리",
+ "Memory Reports": "메모리 보고서",
+ "Memory Size": "메모리 크기",
+ "Memory Stats": "메모리 통계",
+ "Memory Usage": "메모리 사용량",
+ "Memory device": "메모리 장치",
+ "Memory usage of app": "앱 메모리 사용량",
+ "Message": "메시지",
+ "Metadata": "메타데이터",
+ "Metadata VDEVs": "메타데이터 VDEV",
+ "MiB. Units smaller than MiB are not allowed.": "MiB보다 작은 단위는 사용할 수 없습니다.",
+ "Minimum Memory": "최소 메모리",
+ "Minimum Memory Size": "최소 메모리 크기",
+ "Minimum value is {min}": "최소값은 {min}입니다",
+ "Minor Version": "마이너 버전",
+ "Minutes": "분",
+ "Minutes of inactivity before the drive enters standby mode. Temperature monitoring is disabled for standby disks.": "드라이브가 대기모드로 들어가기 위한 비활성화 시간(분)입니다. 대기 상태인 디스크의 온도 감시는 하지 않습니다.",
+ "Minutes when this task will run.": "작업을 실행할 분입니다.",
+ "Minutes/Hours": "분/시",
+ "Minutes/Hours/Days": "분/시/일",
+ "Model": "모델",
+ "Modify": "편집",
+ "Module": "모듈",
+ "Mon": "월",
+ "Monday": "월요일",
+ "More Options": "기타 옵션",
+ "More info...": "자세히...",
+ "Move all items to the left side list": "모든 항목을 왼쪽 목록으로 이동",
+ "Move all items to the right side list": "모든 항목을 오른쪽 목록으로 이동",
+ "Move selected items to the left side list": "선택 항목을 왼쪽 목록으로 이동",
+ "Move selected items to the right side list": "선택 항목을 오른쪽 목록으로 이동",
+ "Move widget down": "아래로 위젯 이동",
+ "Move widget up": "위로 위젯 이동",
+ "Multichannel": "다중 채널",
+ "Multiprotocol": "다중 프로토콜",
+ "Must be part of the pool to check errors.": "오류를 검사하기 위해선 풀에 속해야 합니다.",
+ "My API Keys": "내 API 키",
+ "NFS Service": "NFS 서비스",
+ "NFS Sessions": "NFS 세션",
+ "NFS Share": "NFS 공유",
+ "NFS share created": "NFS 공유 만들어짐",
+ "NFS share updated": "NFS 공유 갱신됨",
+ "NFS3 Session": "NFS3 세션",
+ "NFS4 Session": "NFS4 세션",
+ "NFSv4 DNS Domain": "NFSv4 DNS 도메인",
+ "NIC To Attach": "탑재할 NIC",
+ "NIC Type": "NIC 유형",
+ "NOTICE": "공지",
+ "NTP Server": "NTP 서버",
+ "NTP Server Settings": "NTP 서버 설정",
+ "NTP Servers": "NTP 서버",
+ "Name": "이름",
+ "Name And Method": "이름과 방식",
+ "Name and Options": "이름과 옵션",
+ "Name and Provider": "이름과 제공자",
+ "Name and Type": "이름과 유형",
+ "Name not added": "이름 추가되지 않음",
+ "Name not found": "찾을 수 없는 이름",
+ "Name of the channel to receive notifications. This overrides the default channel in the incoming webhook settings.": "알림을 수신할 채널의 이름입니다. 수신 웹훅 설정의 기본 채널보다 우선합니다.",
+ "Name of the InfluxDB database.": "InfluxDB 데이터베이스의 이름입니다.",
+ "Nameserver": "네임서버",
+ "Nameserver (DHCP)": "네임서버 (DHCP)",
+ "Nameserver 1": "네임서버 1",
+ "Nameserver 2": "네임서버 2",
+ "Nameserver 3": "네임서버 3",
+ "Nameserver {n}": "네임서버 {n}",
+ "Nameservers": "네임서버",
+ "Network": "네트워크",
+ "Network Configuration": "네트워크 구성",
+ "Network I/O": "네트워크 송수신",
+ "Network Interface": "네트워크 인터페이스",
+ "Network Interface Card": "네트워크 인터페이스 카드",
+ "Network Reports": "네트워크 보고서",
+ "Network Reset": "네트워크 재설정",
+ "Network Settings": "네트워크 설정",
+ "Network Stats": "네트워크 통계",
+ "Network Traffic": "네트워크 트래픽",
+ "Network Usage": "네트워크 사용량",
+ "Network changes applied successfully.": "네트워크 변경사항이 성공적으로 적용되었습니다.",
+ "Network interface updated": "네트워크 인터페이스 갱신됨",
+ "Network interface {interface} not found.": "네트워크 인터페이스 {interface}을(를) 찾을 수 없습니다.",
+ "Networks": "네트워크",
+ "Never Delete": "삭제 금지",
+ "New & Updated Apps": "새롭거나 업데이트 된 앱",
+ "New Alert": "새로운 경고",
+ "New Backup Credential": "새로운 백업 자격증명",
+ "New Bucket Name": "새로운 버킷 이름",
+ "New CSR": "새로운 CSR",
+ "New Certificate": "새로운 인증서",
+ "New Certificate Authority": "새로운 인증기관",
+ "New Cloud Backup": "새로운 클라우드 백업",
+ "New Cloud Sync Task": "새로운 클라우드 동기화 작업",
+ "New Credential": "새로운 작업증명",
+ "New Dataset": "새로운 데이터셋",
+ "New Devices": "새로운 장치",
+ "New Disk": "새로운 디스크",
+ "New Disk Test": "새로운 디스크 검사",
+ "New Group": "새로운 그룹",
+ "New IPv4 Default Gateway": "새로운 IPv4 기본 게이트웨이",
+ "New Init/Shutdown Script": "새로운 초기화/종료 스크립트",
+ "New Interface": "새로운 인터페이스",
+ "New Key": "새로운 키",
+ "New NFS Share": "새로운 NFS 공유",
+ "New NTP Server": "새로운 NTP 서버",
+ "New Password": "새로운 비밀번호",
+ "New Periodic S.M.A.R.T. Test": "새로운 주기적인 S.M.A.R.T. 검사",
+ "New Periodic Snapshot Task": "새로운 주기적인 스냅샷 작업",
+ "New Pool": "새로운 풀",
+ "New Privilege": "새로운 권한",
+ "New Replication Task": "새로운 복제 작업",
+ "New Rsync Task": "새로운 Rsync 작업",
+ "New SMB Share": "새로운 SMB 공유",
+ "New SSH Connection": "새로운 SSH 연결",
+ "New Scrub Task": "새로운 스크럽 작업",
+ "New Share": "새로운 공유",
+ "New Snapshot Task": "새로운 스냅샷 작업",
+ "New Static Route": "새로운 정적 경로",
+ "New TrueCloud Backup Task": "새로운 TrueCloud 백업 자겅ㅂ",
+ "New User": "새로운 사용자",
+ "New VM": "새로운 가상머신",
+ "New Virtual Machine": "새로운 가상머신",
+ "New Widget": "새로운 위젯",
+ "New Zvol": "새로운 Zvol",
+ "New iSCSI": "새로운 iSCSI",
+ "New password": "새로운 비밀번호",
+ "New password and confirmation should match.": "새로운 비밀번호와 비밀번호 확인이 일치해야 합니다.",
+ "New users are not given su permissions if wheel is their primary group.": "새로운 사용자의 주 그룹이 wheel인 경우 su 권한을 부여할 수 없습니다.",
+ "New widgets and layouts.": "새로운 위젯과 배치",
+ "Newsletter": "소식지",
+ "Next": "다음",
+ "Next Page": "다음 쪽",
+ "Next Run": "다음 실행",
+ "No": "아니오",
+ "No Applications Installed": "설치된 애플리케이션이 없음",
+ "No Applications are Available": "사용 가능한 애플리케이션이 없음",
+ "No Changelog": "변경내역 없음",
+ "No Data": "데이터 없음",
+ "No Datasets": "데이터셋 없음",
+ "No Encryption (less secure, but faster)": "암호화 하지 않음 (덜 안전하지만, 더 빠름)",
+ "No Inherit": "상속 없음",
+ "No Logs": "기록 없음",
+ "No NICs Found": "NIC 찾을 수 없음",
+ "No NICs added.": "추가된 NIC이(가) 없습니다.",
+ "No Pools": "풀 없음",
+ "No Pools Found": "풀 찾을 수 없음",
+ "No Safety Check (CAUTION)": "안전 검사 없음 (주의)",
+ "No Search Results.": "검색 결과가 없습니다.",
+ "No VDEVs added.": "추가된 VDEV이(가) 없습니다.",
+ "No containers are available.": "사용 가능한 컨테이너가 없습니다.",
+ "No devices added.": "추가된 장치가 없습니다.",
+ "No disks added.": "추가된 디스크가 없습니다.",
+ "No disks available.": "사용 가능한 디스크가 없습니다.",
+ "No e-mail address is set for root user or any other local administrator. Please, configure such an email address first.": "루트 사용자 또는 로컬 관리자에게 이메일 주소가 설정되지 않았습니다. 먼저 이메일 주소를 설정해주시기 바랍니다.",
+ "No errors": "오류 없음",
+ "No events to display.": "표시할 이벤트가 없습니다.",
+ "No images found": "이미지 찾을 수 없음",
+ "No instances": "인스턴스 없음",
+ "No interfaces configured with Virtual IP.": "가상 IP로 설정된 인터페이스가 없습니다.",
+ "No items have been added yet.": "추가된 항목이 아직 없습니다.",
+ "No jobs running.": "실행중인 작업이 없습니다.",
+ "No logs are available": "사용 가능한 기록이 없습니다.",
+ "No logs are available for this task.": "이 작업에 대한 기록이 없습니다.",
+ "No logs available": "사용 가능한 기록 없음",
+ "No logs yet": "아직 기록되지 않음",
+ "No longer keep this Boot Environment?": "더 이상 이 부트 환경을 유지하지 않으시겠습니까?",
+ "No matching results found": "일치하는 결과 없음",
+ "No options": "선택사항 없음",
+ "No pools are configured.": "구성된 풀이 없습니다.",
+ "No ports are being used.": "사용중인 포트가 없습니다.",
+ "No proxies added.": "추가된 프록시 없음",
+ "No records": "레코드 없음",
+ "No records have been added yet": "아직 추가된 레코드 없음",
+ "No results found in {section}": "{section}에서 찾는 내용 없음",
+ "No similar apps found.": "비슷한 앱 찾을 수 없음",
+ "No snapshots sent yet": "아직 전송된 스냅샷 없음",
+ "No temperature data was reported by the system. There can be a number of reasons why this might occur.": "시스템으로부터 보고된 온도 데이터가 없습니다. 여러 문제가 복합적일 수 있습니다.",
+ "No unused disks": "사용하지 않은 디스크 없음",
+ "No update found.": "업데이트를 찾을 수 없습니다.",
+ "No updates available.": "가능한 업데이트가 없습니다.",
+ "No vdev info for this disk": "이 디스크에 대한 VDEV 정보 없음",
+ "No volume mounts": "탑재된 볼륨 없음",
+ "No warnings": "위험 없음",
+ "Normal VDEV type, used for primary storage operations. ZFS pools always have at least one DATA VDEV.": "기본 저장소 작동에 사용되는 일반 VDEV 유형입니다. ZFS 풀은 하나 이상의 데이터 VDEV로 구성됩니다.",
+ "Not Set": "설정되지 않음",
+ "Not Shared": "공유되지 않음",
+ "Not enough free space. Maximum available: {space}": "여유 공간이 충분하지 않습니다. 가용 공간: {space}",
+ "Notes": "비고",
+ "Notes about this disk.": "이 디스크에 대한 비고사항입니다.",
+ "Notice": "공지",
+ "Notifications": "알림",
+ "Nov": "11월",
+ "Number of VDEVs": "VDEV 수",
+ "Number of days to renew certificate before expiring.": "인증서가 만료되기 전에 갱신할 수 있는 남은 날입니다.",
+ "Number of simultaneous file transfers. Enter a number based on the available bandwidth and destination system performance. See rclone --transfers.": "동시에 전송할 파일의 수입니다. 대역폭과 도착지 시스템의 성능을 고려해 설정하세요. Rclone --transfers을(를) 참조하세요.",
+ "OFFLINE": "연결 끊김",
+ "OK": "확인",
+ "OS": "운영체제",
+ "OS Version": "운영체제 버전",
+ "Oct": "10월",
+ "Off": "꺼짐",
+ "Offline": "오프라인",
+ "Offline Disk": "오프라인 디스크",
+ "Offline VDEVs": "오프라인 VDEV",
+ "Offline disk {name}?": "디스크 {name}의 연결을 끊으시겠습니까?",
+ "Ok": "확인",
+ "Okay": "확인",
+ "On": "켜짐",
+ "On a Different System": "다른 시스템에서",
+ "On this System": "이 시스템에서",
+ "One-Time Password (if necessary)": "일회용 비밀번호 (필요한 경우)",
+ "One-Time Password if two factor authentication is enabled.": "일회용 비밀번호는 2단계 인증을 활성화했을때 사용합니다.",
+ "Online": "온라인",
+ "Online Disk": "온라인 디스크",
+ "Online disk {name}?": "디스크 {name}을(를) 연결하시겠습니까?",
+ "Open": "열기",
+ "Open Files": "파일 열기",
+ "Open TrueCommand User Interface": "TrueCommand 사용자 인터페이스 열기",
+ "Openstack API key or password. This is the OS_PASSWORD from an OpenStack credentials file.": "Openstack API 키 또는 비밀번호입니다. OpenStack 자격증명 파일의 OS_PASSWORD 입니다.",
+ "Openstack user name for login. This is the OS_USERNAME from an OpenStack credentials file.": "Openstack 로그인 사용자 이름입니다. OpenStack 자격증명 파일의 OS_USERNAME 입니다.",
+ "Operating System": "운영체제",
+ "Operation": "작업",
+ "Operation will change permissions on path: {path}": "이 작업은 다음 경로에 대한 권한을 변경합니다: {path}",
+ "Out": "송신",
+ "Outbound Activity": "송신 활동",
+ "Outbound Network": "송신 네트워크",
+ "Outbound Network:": "송신 네트워크",
+ "Override Admin Email": "관리자 이메일 대체",
+ "Overview": "개요",
+ "Owner": "소유자",
+ "Owner Group": "소유자 그룹",
+ "Owner:": "소유자:",
+ "PASSPHRASE": "비밀구절",
+ "Parent": "상위",
+ "Parent Interface": "상위 인터페이스",
+ "Parent Path": "상위 경로",
+ "Parent dataset path (read-only).": "상위 데이터셋 경로입니다 (읽기전용).",
+ "Partition": "파티션",
+ "Passphrase": "비밀구절",
+ "Passphrase and confirmation should match.": "비밀구절과 확인은 일치해야 합니다.",
+ "Passphrase value must match Confirm Passphrase": "비밀구절은 비밀구절 확인과 일치해야 합니다.",
+ "Password": "비밀번호",
+ "Password Disabled": "비밀번호 비활성화",
+ "Password Login": "비밀번호 로그인",
+ "Password Login Groups": "비밀번호 로그인 그룹",
+ "Password Server": "비밀번호 서버",
+ "Password Servers": "비밀번호 서버",
+ "Password and confirmation should match.": "비밀번호와 확인은 일치해야 합니다.",
+ "Password for the SSH Username account.": "SSH 사용자이름 계정의 비밀번호입니다.",
+ "Password for the user account.": "사용자 계정의 비밀번호입니다.",
+ "Password is not set": "비밀번호 설정되지 않음",
+ "Password is set": "비밀번호 설정됨",
+ "Password login enabled": "비밀번호 로그인 활성화",
+ "Password updated.": "비밀번호가 갱신되었습니다.",
+ "Passwords do not match": "비밀번호 불일치",
+ "Path": "경로",
+ "Path Length": "경로 길이",
+ "Path Suffix": "경로 접미사",
+ "Pattern": "패턴",
+ "Pause Scrub": "스크럽 일시정지",
+ "Plain (No Encryption)": "평문 (암호화 없음)",
+ "Platform": "플랫폼",
+ "Please input password.": "비밀번호를 입력해 주십시오.",
+ "Please input user name.": "사용자 이름을 입력해 주십시오.",
+ "Please select a tag": "태그를 선택해 주십시오.",
+ "Please specifies tag of the image": "이미지의 태그를 지정해 주십시오.",
+ "Please specify a valid git repository uri.": "올바른 git 보관소 uri를 지정해 주십시오.",
+ "Please specify branch of git repository to use for the catalog.": "카탈로그로 사용할 git 보관소의 브랜치를 지정해 주십시오.",
+ "Please specify name to be used to lookup catalog.": "카탈로그를 조회하는 데 사용할 이름을 지정해 주십시오.",
+ "Please specify whether to install NVIDIA driver or not.": "NVIDIA 드라이버 설치 여부를 지정해 주십시오.",
+ "Please wait": "기다려 주십시오",
+ "Pool": "풀",
+ "Pool Available Space Threshold (%)": "풀 가용 용량 한계 (%)",
+ "Pool Creation Wizard": "풀 만들기 마법사",
+ "Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "풀 디스크에 대한 {alerts}개의 경고와 {smartTests}개의 S.M.A.R.T. 검사",
+ "Pool Name": "풀 이름",
+ "Pool Options for {pool}": "{pool}에 대한 풀 선택사항",
+ "Pool Status": "풀 상태",
+ "Pool Usage": "풀 사용량",
+ "Pool Wizard": "풀 마법사",
+ "Pool created successfully": "풀 만들기 성공",
+ "Pool does not exist": "존재하지 않는 풀",
+ "Pool imported successfully.": "풀을 성공적으로 불러왔습니다.",
+ "Pool is not healthy": "풀 건강상태 나쁨",
+ "Pool is not selected": "풀을 선택하지 않음",
+ "Pool options for {poolName} successfully saved.": "풀 {poolName}에 대한 선택사항이 성공적으로 저장되었습니다.",
+ "Pool updated successfully": "풀 갱신 성공",
+ "Pool {name} successfully upgraded.": "풀 {name}이(가) 성공적으로 업그레이드 되었습니다.",
+ "Pool «{pool}» has been exported/disconnected successfully.": "풀 «{pool}»의 내보내기/연결끊기가 성공했습니다.",
+ "Pool/Dataset": "풀/데이터셋",
+ "Pools": "풀",
+ "Pools:": "풀",
+ "Port": "포트",
+ "Power": "전원",
+ "Power Management": "전원관리",
+ "Power Menu": "전원 메뉴",
+ "Power Mode": "전원 모드",
+ "Power Off": "전원 끄기",
+ "Power Off UPS": "UPS 끄기",
+ "Power Outage": "정전",
+ "Power Supply": "전원공급장치",
+ "Preset": "사전설정",
+ "Preset Name": "사전설정 이름",
+ "Presets": "사전설정",
+ "Previous Page": "이전 쪽",
+ "Primary Contact": "주 연락처",
+ "Primary DNS server.": "주 DNS 서버",
+ "Primary Group": "주 그룹",
+ "Private Key": "개인 키",
+ "Processor": "프로세서",
+ "Product": "제품",
+ "Product ID": "제품 ID",
+ "Profile": "프로파일",
+ "Prompt": "프롬프트",
+ "Provide keys/passphrases manually": "키/비밀구절을 수동으로 제공",
+ "Provider": "제공자",
+ "Proxies": "프록시",
+ "Proxy": "프록시",
+ "Proxy saved": "프록시 저장됨",
+ "Public Key": "공개 키",
+ "Quota": "할당량",
+ "Quota (in GiB)": "할당량 (GiB)",
+ "Quota Fill Critical": "할당량 채움 심각",
+ "Quota Fill Critical (in %)": "할당량 채움 심각 (%)",
+ "Quota Fill Warning": "할당량 채움 위험",
+ "Quota Fill Warning (in %)": "할당량 채움 위험 (%)",
+ "Quota critical alert at, %": "할당량 심각 경고를 할 수준(%)",
+ "Quota for this dataset": "이 데이터셋에 대한 할당량",
+ "Quota for this dataset and all children": "이 데이터셋과 하위항목에 대한 할당량",
+ "Quota size is too small, enter a value of 1 GiB or larger.": "할당량이 너무 작습니다. 1 GiB 이상을 입력하십시오.",
+ "Quota warning alert at, %": "할당량 위험 경고를 할 수준(%)",
+ "Quotas added": "할당량 추가됨",
+ "Quotas set for {n, plural, one {# group} other {# groups} }": "그룹 할당량 설정됨",
+ "Quotas set for {n, plural, one {# user} other {# users} }": "사용자 할당량 설정됨",
+ "Quotas updated": "할당량 갱신됨",
+ "REMOTE": "원격",
+ "REQUIRE": "필수",
+ "Read": "읽기",
+ "Read ACL": "ACL 읽기",
+ "Read Attributes": "속성 읽기",
+ "Read Data": "데이터 읽기",
+ "Read Errors": "읽기 오류",
+ "Read Only": "읽기전용",
+ "Read-only": "읽기전용",
+ "Region name - optional (rclone documentation).": "지역 이름 - 선택사항 (Rclone 문서).",
+ "Remove": "제거",
+ "Remove Images": "이미지 제거",
+ "Remove Invalid Quotas": "올바르지 않은 할당량 제거",
+ "Remove device": "장치 제거",
+ "Remove device {name}?": "장치 {name}을(를) 제거하시겠습니까?",
+ "Remove file": "파일 제거",
+ "Remove file?": "파일을 제거하시겠습니까?",
+ "Remove iXVolumes": "iXVolume 제거",
+ "Remove preset": "사전설정 제거",
+ "Report Bug": "버그 보고",
+ "Report a bug": "버그 보고",
+ "Reports": "보고서",
+ "Reset": "재설정",
+ "Reset Config": "구성 재설정",
+ "Reset Configuration": "구성 재설정",
+ "Reset Default Config": "기본 구성으로 재설정",
+ "Reset Defaults": "기본값으로 재설정",
+ "Reset Search": "검색 재설정",
+ "Reset Step": "단계 재설정",
+ "Reset Zoom": "크기 재설정",
+ "Reset configuration": "구성 재설정",
+ "Reset password": "비밀번호 재설정",
+ "Reset to Defaults": "기본값으로 재설정",
+ "Reset to default": "기본값으로 재설정",
+ "Resetting interfaces while HA is enabled is not allowed.": "HA이(가) 활성화된 상태에서는 인터페이스를 재설정할 수 없습니다.",
+ "Resetting system configuration to default settings. The system will restart.": "시스템 구성을 기본값으로 재설정합니다. 시스템을 재시작합니다.",
+ "Resetting. Please wait...": "재설정 중입니다. 잠시만 기다려주십시오...",
+ "Resilver Priority": "리실버 우선순위",
+ "Resilver configuration saved": "리실버 구성 저장됨",
+ "Resilvering Status": "리실버 상태",
+ "Resilvering pool: ": "풀 리실버",
+ "Restart": "재시작",
+ "Restart After Update": "업데이트 후 재시작",
+ "Restart All Selected": "모든 선택항목 재시작",
+ "Restart App": "앱 재시작",
+ "Restart Now": "지금 재시작",
+ "Restart Options": "재시작 옵션",
+ "Restart SMB Service": "SMB 서비스 재시작",
+ "Restart SMB Service?": "SMB 서비스를 재시작하시겠습니까?",
+ "Restart Service": "서비스 재시작",
+ "Restart Web Service": "웹 서비스 재시작",
+ "Restart is recommended for new FIPS setting to take effect. Would you like to restart now?": "새로운 FIPS 설정이 작용하기 위해 재시작을 권장합니다. 지금 재시작하시겠습니까?",
+ "Restart is required after changing this setting.": "이 설정을 바꾼 후에는 재시작이 필요합니다.",
+ "Restarting...": "재시작하는 중...",
+ "Restore": "복원",
+ "Restore Cloud Sync Task": "클라우드 동기화 작업 복원",
+ "Restore Config": "구성 복원",
+ "Restore Config Defaults": "기본 구성 복원",
+ "Restore Default": "기본으로 복원",
+ "Restore Default Config": "기본 구성으로 복원",
+ "Restore Default Configuration": "기본 구성으로 복원",
+ "Restore Defaults": "기본으로 복원",
+ "Restore Replication Task": "복제 작업 복원",
+ "Restore default set of widgets": "기본 위젯 설정으로 복원",
+ "Restore default widgets": "기본 위젯 복원",
+ "Restore from Snapshot": "스냅샷으로부터 복원",
+ "Restores files to the selected directory.": "선택한 디렉토리로 파일을 복원합니다.",
+ "Restoring backup": "백업 복원",
+ "Restricted": "제한됨",
+ "Resume Scrub": "스크럽 다시 시작",
+ "Review": "리뷰",
+ "Rotation Rate": "회전율",
+ "Rotation Rate (RPM)": "회전율 (RPM)",
+ "Rsync Mode": "Rsync 모드",
+ "Rsync Task": "Rsync 작업",
+ "Rsync Task Manager": "Rsync 작업 관리자",
+ "Rsync Tasks": "Rsync 작업",
+ "Rsync task has started.": "Rsync 작업을 시작했습니다.",
+ "Rsync task «{name}» has started.": "Rsync 작업 «{name}»을(를) 시작했습니다.",
+ "Rsync to another server": "다른 서버로 Rsync",
+ "Run As User": "사용자로 실행",
+ "Run Automatically": "자동으로 실행",
+ "Run Manual Test": "수동 검사 실행",
+ "Run Now": "지금 실행",
+ "Run On a Schedule": "일정에 따라 실행",
+ "Run Once": "한 번만 실행",
+ "Run job": "작업 실행",
+ "Run this job now?": "이 작업을 지금 실행하시겠습니까?",
+ "Run «{name}» Cloud Backup now?": "«{name}»의 클라우드 백업을 지금 실행하시겠습니까?",
+ "Run «{name}» Cloud Sync now?": "«{name}»의 클라우드 동기화를 지금 실행하시겠습니까?",
+ "Run «{name}» Rsync now?": "«{name}»의 Rsync을(를) 지금 실행하시겠습니까?",
+ "Running": "실행중",
+ "Running Jobs": "실행중인 작업",
+ "S.M.A.R.T. Extra Options": "S.M.A.R.T. 추가 옵션",
+ "S.M.A.R.T. Info for {disk}": "{disk}의 S.M.A.R.T. 정보",
+ "S.M.A.R.T. Options": "S.M.A.R.T. 옵션",
+ "S.M.A.R.T. Tasks": "S.M.A.R.T. 작업",
+ "S.M.A.R.T. Test Results": "S.M.A.R.T. 검사 결과",
+ "S.M.A.R.T. Test Results of {pk}": "{pk}의 S.M.A.R.T. 검사 결과",
+ "S.M.A.R.T. extra options": "S.M.A.R.T. 추가 옵션",
+ "SAS Connector": "SAS 커넥터",
+ "SED Password": "SED 비밀번호",
+ "SED User": "SED 사용자",
+ "SED password and confirmation should match.": "SED 비밀번호와 확인은 일치해야 합니다.",
+ "SED password updated.": "SED 비밀번호가 갱신되었습니다.",
+ "SFTP Log Level": "SFTP 기록 단계",
+ "SMB - Client Account": "SMB - 클라이언트 계정",
+ "SMB - Destination File Path": "SMB - 도착지 파일 경로",
+ "SMB - File Handle Type": "SMB - 파일 핸들 유형",
+ "SMB - File Handle Value": "SMB - 파일 핸들 값",
+ "SMB - File Path": "SMB - 파일 경로",
+ "SMB - Host": "SMB - 호스트",
+ "SMB - Primary Domain": "SMB - 주 도메인",
+ "SMB - Result Type": "SMB - 결과 유형",
+ "SMB - Source File Path": "SMB - 원본 파일 경로",
+ "SMB Group": "SMB 그룹",
+ "SMB Name": "SMB 이름",
+ "SMB Notification": "SMB 알림",
+ "SMB Notifications": "SMB 알림",
+ "SMB Service": "SMB 서비스",
+ "SMB Session": "SMB 세션",
+ "SMB Sessions": "SMB 세션",
+ "SMB Share": "SMB 공유",
+ "SMB Shares": "SMB 공유",
+ "SMB Status": "SMB 상태",
+ "SMB User": "SMB 사용자",
+ "SMB multichannel allows servers to use multiple network connections simultaneously by combining the bandwidth of several network interface cards (NICs) for better performance. SMB multichannel does not function if you combine NICs into a LAGG. Read more in docs": "SMB 다중채널은 더 나은 성능을 위해 여러개의 네트워크 인터페이스 카드(NIC)의 대역폭을 묶어 연결합니다. NIC를 LAGG로 설정한 경우 작동하지 않습니다. 문서 참조.",
+ "SMB preset sets most optimal settings for SMB sharing.": "SMB 사전설정은 SMB 공유를 위한 최적의 설정입니다.",
+ "SSH Connection": "SSH 연결",
+ "SSH Connection saved": "SSH 연결 저장됨",
+ "SSH Connections": "SSH 연결",
+ "SSH Host to connect to.": "연결할 SSH 호스트입니다.",
+ "SSH Key": "SSH 키",
+ "SSH Service": "SSH 서비스",
+ "SSH Username.": "SSH 사용자이름",
+ "SSH connection from the keychain": "키체인을 통한 SSH 연결",
+ "SSH password login enabled": "SSH 비밀번호 로그인 활성화됨",
+ "SSH port number. Leave empty to use the default port 22.": "SSH 포트 번호입니다. 비워두면 기본값인 22번을 사용합니다.",
+ "SSH private key stored in user's home directory": "SSH 개인 키가 사용자의 홈 디렉토리에 저장됨",
+ "SSL Certificate": "SSL 인증서",
+ "SSL Protocols": "SSL 프로토콜",
+ "SSL Web Interface Port": "SSL 웹 인터페이스 포트",
+ "SYNC": "동기화",
+ "Samba Authentication": "Samba 인증",
+ "Same as Source": "원본과 같음",
+ "Sat": "토",
+ "Saturday": "토요일",
+ "Save": "저장",
+ "Save ACL as preset": "ACL을 사전설정으로 저장",
+ "Save Access Control List": "접근 제어 목록(ACL) 저장",
+ "Save And Go To Review": "저장하고 리뷰 단계로",
+ "Save As Preset": "사전설정으로 저장",
+ "Save Changes": "변경사항 저장",
+ "Save Config": "구성 저장",
+ "Save Configuration": "구성 저장",
+ "Save Debug": "디버그 저장",
+ "Save Pending Snapshots": "보류된 스냅샷 저장",
+ "Save Selection": "선택항목 저장",
+ "Save Without Restarting": "재시작하지 않고 저장",
+ "Save and Restart SMB Now": "저장하고 SMB 지금 재시작",
+ "Save configuration settings from this machine before updating?": "업데이트 하기 전에 이 장치의 구성 설정을 저장하시겠습니까?",
+ "Save current ACL entries as a preset for future use.": "현재 ACL 설정을 나중에 사용하기 위해 사전설정으로 저장합니다.",
+ "Save network interface changes?": "네트워크 인터페이스의 변경사항을 저장하시겠습니까?",
+ "Saving Debug": "디버그 저장중",
+ "Saving KMIP Config": "KMIP 구성 저장중",
+ "Saving Permissions": "권한 저장중",
+ "Saving settings": "설정 저장중",
+ "Scan remote host key.": "원격 호스트 키를 스캔합니다.",
+ "Schedule": "일정",
+ "Schedule Preview": "일정 미리보기",
+ "Scheduled Scrub Task": "스크럽 작업 일정",
+ "Screenshots": "스크린샷",
+ "Script": "스크립트",
+ "Script deleted.": "스크립트를 삭제했습니다.",
+ "Scroll to top": "상단으로 스크롤",
+ "Scrub": "스크럽",
+ "Scrub Boot Pool": "부트 풀 스크럽",
+ "Scrub In Progress:": "스크럽 진행중",
+ "Scrub Paused": "스크럽 일시정지",
+ "Scrub Pool": "풀 스크럽",
+ "Scrub Started": "스크럽 시작됨",
+ "Scrub Task": "스크럽 작업",
+ "Scrub Tasks": "스크럽 작업",
+ "Scrub interval (in days)": "스크럽 간격(일 단위)",
+ "Scrub interval set to {scrubIntervalValue} days": "{scrubIntervalValue}일 간격으로 스크럽을 실행합니다.",
+ "Search": "찾기",
+ "Search Images": "이미지 찾기",
+ "Search Results for «{query}»": "«{query}» 찾기 결과",
+ "Search UI": "UI에서 찾기",
+ "Secondary Contact": "보조 연락처",
+ "Secondary DNS server.": "보조 DNS 서버",
+ "Secondary Email": "보조 이메일",
+ "Secondary Name": "보조 이름",
+ "Secondary Phone Number": "보조 전화번호",
+ "Secondary Title": "보조 제목",
+ "Select All": "모두 선택",
+ "Select Configuration File": "구성 파일 선택",
+ "Select Disk Type": "디스크 유형 선택",
+ "Select Image": "이미지 선택",
+ "Select Pool": "풀 선택",
+ "Select VDEV layout. This is the first step in setting up your VDEVs.": "VDEV 배치방식을 선택합니다. VDEV를 설정하는 첫 번째 단계입니다.",
+ "Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "복제할 데이터의 크기를 줄이기 위한 압축 알고리듬을 선택합니다. 전송유형이 SSH인 경우에만 나타납니다.",
+ "Select a dataset for the new zvol.": "새로운 Zvol을(를) 위한 데이터셋을 선택합니다.",
+ "Select a dataset or zvol.": "데이터셋 또는 Zvol을(를) 선택합니다.",
+ "Select a keyboard layout.": "키보드 배치를 선택합니다.",
+ "Select a language from the drop-down menu.": "드롭다운 메뉴에서 언어를 선택합니다.",
+ "Select a physical interface to associate with the VM.": "가상머신과 연결할 물리 인터페이스를 선택합니다.",
+ "Select a pool to import.": "불러올 풀을 선택합니다.",
+ "Select a pool, dataset, or zvol.": "풀 또는 데이터셋, Zvol을(를) 선택합니다.",
+ "Select a power management profile from the menu.": "메뉴에서 전원관리 프로파일을 선택합니다.",
+ "Select a preset ACL": "사전설정 ACL 선택",
+ "Select a preset configuration for the share. This applies predetermined values and disables changing some share options.": "공유를 위한 구성 사전설정을 선택합니다. 미리 정해진 값이 적용되고 일부 공유 옵션의 변경이 비활성화 됩니다.",
+ "Select a preset schedule or choose Custom to use the advanced scheduler.": "사전 설정된 일정을 선택하거나 사용자를 선택해 고급 일정관리를 사용합니다.",
+ "Select a preset schedule or choose Custom to use the advanced scheduler.": "사전 설정된 일정을 선택하거나 사용자를 선택해 고급 일정관리를 사용합니다.",
+ "Select a previously imported or created CA.": "이전에 불러들였거나 만들어진 인증기관을 선택합니다.",
+ "Select a saved remote system SSH connection or choose Create New to create a new SSH connection.": "저장된 원격 시스템 SSH 연결을 선택하거나 새로 만들기를 통해 새로운 SSH 연결을 만듭니다.",
+ "Select a schedule preset or choose Custom to open the advanced scheduler.": "사전 설정된 일정을 선택하거나 사용자를 선택해 고급 일정관리를 엽니다.",
+ "Select a schedule preset or choose Custom to open the advanced scheduler. Note that an in-progress cron task postpones any later scheduled instance of the same task until the running task is complete.": "사전 설정된 일정을 선택하거나 사용자를 선택해 고급 일정관리를 엽니다. 해당 Cron 작업이 진행중일 경우 완료될 때까지 후에 예정된 동일한 작업은 연기됩니다.",
+ "Select a schedule preset or choose Custom to open the advanced scheduler.": "사전 설정된 일정을 선택하거나 사용자를 선택해 고급 일정관리를 엽니다.",
+ "Select a schedule preset or choose Custom to setup custom schedule.": "사전 설정된 일정을 선택하거나 사용자를 선택해 일정을 사용자화 합니다.",
+ "Select a time zone.": "시간대를 선택합니다.",
+ "Select a user account to run the command. The user must have permissions allowing them to run the command or script.": "명령을 실행할 사용자 계정을 선택합니다. 해당 사용자는 명령이나 스크립트를 실행할 권한이 있어야 합니다.",
+ "Select an IP address to use for SPICE sessions.": "SPICE 세션이 사용할 IP 주소를 선택합니다.",
+ "Select an IP address to use for remote SPICE sessions. Note: this setting only applies if you are using a SPICE client other than the TrueNAS WebUI.": "원격 SPICE 세션이 사용할 IP 주소를 선택합니다. 안내: TrueNAS WebUI 대신 SPICE 클라이언트를 사용할 경우에만 적용됩니다.",
+ "Select an existing SSH connection to a remote system or choose Create New to create a new SSH connection.": "리모트 시스템과의 SSH 연결을 선택하거나 새로 만들기를 선택해 새로운 SSH 연결을 만듭니다.",
+ "Select an existing SSH connection to a remote system or choose Create New to create a new SSH connection.": "리모트 시스템과의 SSH 연결을 선택하거나 새로 만들기를 선택해 새로운 SSH 연결을 만듭니다.",
+ "Select an unused disk to add to this vdev.
WARNING: any data stored on the unused disk will be erased!": "이 VDEV에 추가할 사용하지 않은 디스크를 선택하합니다.
위험: 사용되지 않은 디스크에 저장된 데이터는 지워집니다!",
+ "Select desired disk type.": "원하는 디스크 유형을 선택합니다.",
+ "Select disks you want to use": "사용할 디스크 선택",
+ "Select files and directories to exclude from the backup.": "백업에서 제외할 파일과 디렉토리를 선택합니다.",
+ "Select files and directories to include from the backup. Leave empty to include everything.": "백업에 포함할 파일과 디렉토리를 선택합니다. 비워두면 전부 포함합니다.",
+ "Select one or more screenshots that illustrate the problem.": "문제를 보여주는 하나 이상의 스크린샷을 선택합니다.",
+ "Select paths to exclude": "제외할 경로 선택",
+ "Select pool to import": "불러올 풀 선택",
+ "Select pool, dataset, or directory to share.": "공유할 풀 또는 데이터셋, 디렉토리를 선택합니다.",
+ "Select the syslog(3) facility of the SFTP server.": "SFTP 서버의 syslog(3) 기능을 선택합니다.",
+ "Select the syslog(3) level of the SFTP server.": "SFTP 서버의 syslog(3) 단계를 선택합니다.",
+ "Select the VLAN Parent Interface. Usually an Ethernet card connected to a switch port configured for the VLAN. New link aggregations are not available until the system is restarted.": "VLAN 상위 인터페이스를 선택합니다. 보통 VLAN 포트에 연결된 이더넷 카드입니다. 새로운 Link Aggregation은 시스템을 재시작할 때까지 사용할 수 없습니다.",
+ "Select the appropriate environment.": "적절한 환경을 선택합니다.",
+ "Select the appropriate level of criticality.": "적절한 심각단계를 선택합니다.",
+ "Select the bucket to store the backup data.": "백업 데이터를 저장할 버킷을 선택합니다.",
+ "Select the cloud storage provider credentials from the list of available Cloud Credentials.": "사용 가능한 클라우드 자격증명 목록에서 클라우드 저장소 제공자 자격증명을 선택합니다.",
+ "Select the country of the organization.": "단체의 국가를 선택합니다.",
+ "Select the days to run resilver tasks.": "리실버 작업을 실행할 요일을 선택합니다.",
+ "Select the device to attach.": "탑재할 장치를 선택합니다.",
+ "Select the directories or files to be sent to the cloud for backup.": "클라우드에 백업할 디렉토리나 파일을 선택합니다.",
+ "Select the disks to monitor.": "감시할 디스크를 선택합니다.",
+ "Select the folder to store the backup data.": "백업 데이터를 저장할 폴더를 선택합니다.",
+ "Select the physical interface to associate with the VM.": "가상머신과 연결된 물리 인터페이스를 선택합니다.",
+ "Select the pre-defined S3 bucket to use.": "사전 정의된 S3 버킷을 선택합니다.",
+ "Select the pre-defined container to use.": "사전 정의된 컨테이너를 선택합니다.",
+ "Select the script. The script will be run using sh(1).": "스크립트를 선택합니다. 스크립트는 sh(1)으로 실행됩니다.",
+ "Select the serial port address in hex.": "직렬 포트 16진수 주소를 선택합니다.",
+ "Selected": "선택됨",
+ "Self-Encrypting Drive": "자체 암호화 드라이브",
+ "Self-Encrypting Drive (SED) passwords can be managed with KMIP. Enabling this option allows the key server to manage creating or updating the global SED password, creating or updating individual SED passwords, and retrieving SED passwords when SEDs are unlocked. Disabling this option leaves SED password management with the local system.": "자체 암호화 드라이브(SED)의 비밀번호는 KMIP로 관리합니다. 이 옵션을 활성화하여 키 서버가 전역 SED 비밀번호의 생성이나 갱신, 개별 SED 비밀번호의 생성이나 갱신, SED 해제시 비밀번호 회수작업을 수행하도록 합니다. 이 옵션을 비활성화하면 SED 비밀번호 관리는 로컬 시스템이 맡습니다.",
+ "Self-Encrypting Drive Settings": "자체 암호화 드라이브 설정",
+ "Semi-automatic (TrueNAS only)": "반자동 (TrueNAS 전용)",
+ "Send Feedback": "피드백 발송",
+ "Send Method": "발송 방식",
+ "Send Test Alert": "시험 경고 발송",
+ "Send Test Email": "시험 이메일 발송",
+ "Send Test Mail": "시험 메일 발송",
+ "Send initial debug": "초기 디버그 발송",
+ "Sep": "9월",
+ "Separate multiple values by pressing Enter
.": "Enter
키를 눌러 여러 값을 분리합니다.",
+ "Separate values with commas, and without spaces.": "공백 없이 반점으로 값을 분리합니다.",
+ "Serial Port": "직렬포트",
+ "Serial number for this disk.": "이 디스크의 시리얼 번호입니다.",
+ "Serial numbers of each disk being edited.": "수정한 각 디스크의 시리얼 번호입니다.",
+ "Serial or USB port connected to the UPS. To automatically detect and manage the USB port settings, select auto.
When an SNMP driver is selected, enter the IP address or hostname of the SNMP UPS device.": "UPS에 연결된 직렬포트 또는 USB 포트입니다. 자동을 선택해 USB 포트 설정을 자동으로 감지하고 관리합니다.
SNMP 드라이버를 선택했다면, SNMP UPS 장치의 IP 주소나 호스트네임을 입력합니다.",
+ "Server": "서버",
+ "Server Side Encryption": "서버측 암호화",
+ "Server error: {error}": "서버 오류: {error}",
+ "Service": "서비스",
+ "Service Account Key": "서비스 계정 키",
+ "Service Announcement": "서비스 알림",
+ "Service Announcement:": "서비스 알림:",
+ "Service Key": "서비스 키",
+ "Service Name": "서비스 이름",
+ "Service configuration saved": "서비스 구성 저장됨",
+ "Service started": "서비스 시작됨",
+ "Service status": "서비스 상태",
+ "Service stopped": "서비스 멈춤",
+ "Services": "서비스",
+ "Session": "세션",
+ "Session ID": "세션 ID",
+ "Session Timeout": "세선 시간초과",
+ "Session Token Lifetime": "세션 토큰 수명",
+ "Sessions": "세션",
+ "Set": "설정",
+ "Set ACL": "ACL 설정",
+ "Set ACL for this dataset": "이 데이터셋에 대한 AC: 설정",
+ "Set Attribute": "속성 설정",
+ "Set Quota": "할당량 설정",
+ "Set Quotas": "할당량 설정",
+ "Set Warning Level": "위험 단계 설정",
+ "Set an expiration date-time for the API key.": "API 키의 만료 일시를 설정합니다.",
+ "Set email": "이메일 설정",
+ "Set enable sending messages to the address defined in the Email field.": "이메일 필드에 정의된 주소로의 메시지 전송을 활성화합니다.",
+ "Set font size": "글꼴 크기 설정",
+ "Set for the UPS to power off after shutting down the system.": "시스템을 종료한 후 UPS도 종료되도록 설정합니다.",
+ "Set if the initiator does not support physical block size values over 4K (MS SQL).": "이니시에이터가 4K 이상의 물리 블록 크기를 지원하지 않는 경우 설정합니다(MS SQL).",
+ "Set new password": "새로운 비밀번호 설정",
+ "Set or change the password of this SED. This password is used instead of the global SED password.": "이 SED의 비밀번호를 설정하거나 변경합니다. 전역 SED 비밀번호 대신 사용합니다.",
+ "Set password for TrueNAS administrative user:": "TrueNAS 관리권한 사용자에 대한 비밀번호 설정:",
+ "Set the maximum number of connections per IP address. 0 means unlimited.": "IP 주소 당 최대 연결수를 설정합니다. 0은 제한을 두지 않습니다.",
+ "Set the number of data copies on this dataset.": "이 데이터셋의 데이터 사본의 수를 설정합니다.",
+ "Set the port the FTP service listens on.": "FTP 서비스가 열어둘 포트를 설정합니다.",
+ "Set the read, write, and execute permissions for the dataset.": "데이터셋에 대한 읽기, 쓰기, 실행 권한을 설정합니다.",
+ "Set the root directory for anonymous FTP connections.": "익명의 FTP 연결에 대한 최상위 디렉토리를 설정합니다.",
+ "Set this replication on a schedule or just once.": "이 복제 작업을 일정에 등록하거나 한 번만 실행합니다.",
+ "Set to allow FTP clients to resume interrupted transfers.": "FTP 클라이언트가 중단된 전송을 다시 시작할 수 있도록 허용합니다.",
+ "Set to allow an initiator to bypass normal access control and access any scannable target. This allows xcopy operations which are otherwise blocked by access control.": "이니시에이터가 일반 접근 제어를 우회하여 감지할 수 있는 대상에 접근할 수 있도록 허용합니다. 이를 통해 접근 제어를 통해 금지된 Xcopy 작업을 수행할 수 있습니다.",
+ "Set to allow the client to mount any subdirectory within the Path.": "클라이언트가 경로 아래 서브디렉토리를 탑재할 수 있도록 허용합니다.",
+ "Set to allow user to authenticate to Samba shares.": "사용자가 Samba 공유에 인증할 수 있도록 허용합니다.",
+ "Set to allow users to bypass firewall restrictions using the SSH port forwarding feature.": "사용자가 SSH 포트 포워딩 기능을 이용해 방화벽 제한을 우회하도록 허용합니다.",
+ "Set to also replicate all snapshots contained within the selected source dataset snapshots. Unset to only replicate the selected dataset snapshots.": "선택된 원본 데이터셋 스냅샷에 포함된 모든 스냅샷을 복제합니다. 설정하지 않으면 선택된 데이터셋 스냅샷만 복제합니다.",
+ "Set to attempt to reduce latency over slow networks.": "느린 네트워크에서 지연시간을 줄이기 위해 노력합니다.",
+ "Set to automatically configure the IPv6. Only one interface can be configured this way.": "IPv6를 자동으로 구성합니다. 하나의 인터페이스만 설정할 수 있습니다.",
+ "Set to automatically create the defined Remote Path if it does not exist.": "원격 경로가 존재하지 않을 경우 자동으로 정의합니다.",
+ "Set to boot a debug kernel after the next system restart.": "다음 시스템 재시작시 커널 디버그로 부팅합니다.",
+ "Set to create a new primary group with the same name as the user. Unset to select an existing group for the user.": "사용자 이름과 동일한 새로운 주 그룹을 만듭니다. 설정하지 않으면 존재하는 그룹을 선택합니다.",
+ "Setting this option reduces the security of the connection, so only use it if the client does not understand reused SSL sessions.": "이 옵션은 연결 보안성을 떨어뜨리므로, 클라이언트가 재사용된 SSL 세션을 이해하지 못할 경우에만 사용하십시오.",
+ "Settings": "설정",
+ "Settings Menu": "설정 메뉴",
+ "Settings saved": "설정 저장됨",
+ "Settings saved.": "설정이 저장되었습니다.",
+ "Setup Cron Job": "Cron 작업 설정",
+ "Setup Pool To Create Custom App": "사용자 앱을 만들 풀 설정",
+ "Setup Pool To Install": "설치할 풀 설정",
+ "Share ACL for {share}": "{share}을(를) 위한 공유 ACL",
+ "Share Path updated": "공유 경로 갱신됨",
+ "Share with this name already exists": "공유 이름 존재",
+ "Share your thoughts on our product's features, usability, or any suggestions for improvement.": "우리 제품의 기능, 사용성, 제안사항 등 여러분의 생각을 나눠주십시오. 개선에 도움이 됩니다.",
+ "Shares": "공유",
+ "Sharing": "공유",
+ "Shell": "쉘",
+ "Shell Commands": "쉘 명령어",
+ "Short Description": "짧은 설명",
+ "Should only be used for highly accurate NTP servers such as those with time monitoring hardware.": "시간 감시 하드웨어를 갖춘 정밀한 NTP서버에만 사용해야 합니다.",
+ "Show": "보기",
+ "Show All": "모두 보기",
+ "Show All Groups": "모든 그룹 보기",
+ "Show All Users": "모든 사용자 보기",
+ "Show Built-in Groups": "모든 내장 그룹 보기",
+ "Show Built-in Users": "모든 내장 사용자 보기",
+ "Show Console Messages": "콘솔 메시지 보기",
+ "Show Events": "이벤트 보기",
+ "Show Extra Columns": "추가 열 보기",
+ "Show Ipmi Events": "IPMI 이벤트 보기",
+ "Show Logs": "기록 보기",
+ "Show Password": "비밀번호 보기",
+ "Show Pools": "풀 보기",
+ "Show Status": "상태 보기",
+ "Show extra columns": "추가 열 보기",
+ "Show only those users who have quotas. This is the default view.": "할당량을 가진 사용자만 보입니다. 기본 보기입니다.",
+ "Showing extra columns in the table is useful for data filtering, but can cause performance issues.": "표의 추가 열을 보이면 데이터 필터링에 도움이 되지만, 성능 문제가 발생할 수 있습니다.",
+ "Shows only the groups that have quotas. This is the default view.": "할당량을 가진 그룹만 보입니다. 기본 보기입니다.",
+ "Shrinking a ZVOL is not allowed in the User Interface. This can lead to data loss.": "ZVOL 축소는 사용자 인터페이스에서 할 수 없습니다. 데이터가 소실될 수 있습니다.",
+ "Shut Down": "종료",
+ "Shut down": "종료",
+ "Shutdown": "종료",
+ "Shutdown Command": "종료 명령",
+ "Shutdown Mode": "종료 모드",
+ "Shutdown Timeout": "종료 시간초과",
+ "Shutdown Timer": "종료 타이머",
+ "Similar Apps": "비슷한 앱",
+ "Site Name": "사이트 이름",
+ "Size": "크기",
+ "Size for this zvol": "ZVOL 크기",
+ "Skip": "건너뛰기",
+ "Slot": "칸",
+ "Slot {number} is empty.": "{number}번 칸이 비었습니다.",
+ "Slot {n}": "{n}번 칸",
+ "Slot: {slot}": "칸: {slot}",
+ "Snapshot": "스냅샷",
+ "Snapshot Delete": "스냅샷 삭제",
+ "Snapshot Directory": "스냅샷 디렉토리",
+ "Snapshot Lifetime": "스냅샷 수명",
+ "Snapshot Manager": "스냅샷 관리자",
+ "Snapshot Task": "스냅샷 작업",
+ "Snapshot Task Manager": "스냅샷 작업 관리자",
+ "Snapshot Tasks": "스냅샷 작업",
+ "Snapshot Time": "스냅샷 시간",
+ "Snapshot added successfully.": "스냅샷이 성공적으로 추가되었습니다.",
+ "Snapshot deleted.": "스냅샷이 삭제되었습니다.",
+ "Snapshots": "스냅샷",
+ "Snapshots could not be loaded": "스냅샷을 불러올 수 없음",
+ "Snapshots will be created automatically.": "스냅샷을 자동으로 만듭니다.",
+ "Software Installation": "소프트웨어 설치",
+ "Sort": "정렬",
+ "Source": "원본",
+ "Source Dataset": "원본 데이터셋",
+ "Source Location": "원본 위치",
+ "Source Path": "원본 경로",
+ "Space Available to Dataset": "데이터셋이 사용 가능한 공간",
+ "Space Available to Zvol": "ZVOL이 사용 가능한 공간",
+ "Spare": "여분",
+ "Spare VDEVs": "여분 VDEV",
+ "Spares": "여분",
+ "Specify a size and value such as 10 GiB.": "크기를 지정합니다. 값은 10 GiB와 같습니다.",
+ "Specify number of threads manually": "스레드 수를 수동으로 지정합니다.",
+ "Specify the PCI device to pass thru (bus#/slot#/fcn#).": "직접 연결할 PCI 장치를 지정합니다(bus#/slot#/fcn#).",
+ "Specify the number of cores per virtual CPU socket.": "가상 CPU 소켓 당 코어 수를 지정합니다.",
+ "Specify the number of threads per core.": "코어 당 스레드 수를 지정합니다.",
+ "Specify the size of the new zvol.": "새로운 ZVOL의 크기를 지정합니다.",
+ "Standard": "표준",
+ "Standby": "대기",
+ "Start": "시작",
+ "Start All Selected": "선택항목 모두 시작",
+ "Start Automatically": "자동으로 시작",
+ "Start Over": "처음으로",
+ "Start Scrub": "스크럽 시작",
+ "Start on Boot": "부팅시 시작",
+ "Start scrub on pool {poolName}?": "풀 {poolName}의 스크럽을 진행하시겠습니까?",
+ "Start service": "서비스 시작",
+ "Start session time": "세션 시간 시작",
+ "Start the scrub now?": "스크럽을 지금 진행하시겠습니까?",
+ "Start time for the replication task.": "복제 작업을 시작할 시간입니다.",
+ "Start {service} Service": "{service} 서비스 시작",
+ "Started": "시작됨",
+ "Starting": "시작하는 중",
+ "Starting task": "시작 작업",
+ "Starting...": "시작하는 중...",
+ "State": "상태",
+ "Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "SMB를 연결할 정적 IP 주소입니다. 아무것도 선택하지 않으면 활성화된 모든 인터페이스를 시도합니다.",
+ "Static IPv4 address of the IPMI web interface.": "IPMI 웹 인터페이스의 정적 IPv4 주소입니다.",
+ "Static Route": "정적 경로",
+ "Static Routes": "정적 경로",
+ "Static Routing": "정적 경로 지정",
+ "Static route added": "정적 경로 추가됨",
+ "Static route deleted": "정적 경로 삭제됨",
+ "Static route updated": "정적 경로 갱신됨",
+ "Stats": "통계",
+ "Stats/Settings": "통계/설정",
+ "Status": "상태",
+ "Status of TrueCommand": "TrueCommand 상태",
+ "Status: ": "상태: ",
+ "Stop": "멈춤",
+ "Stop All Selected": "선택항목 모두 멈춤",
+ "Stop Scrub": "스크럽 멈춤",
+ "Stop TrueCommand Cloud Connection": "TrueCommand 클라우드 연결 멈춤",
+ "Stop service": "서비스 멈춤",
+ "Stop the scrub on {poolName}?": "{poolName}의 스크럽을 멈추시겠습니까?",
+ "Stop the {serviceName} service and close these connections?": "서비스 {serviceName}을(를) 멈추고 연결을 닫으시겠습니까?",
+ "Stop this Cloud Sync?": "이 클라우드 동기화를 멈추시겠습니가?",
+ "Stop {serviceName}?": "{serviceName}을(를) 멈추시겠습니까?",
+ "Stop {vmName}?": "{vmName}을(를) 멈추시겠습니까?",
+ "Stopped": "멈춤",
+ "Stopping": "멈추는 중",
+ "Stopping Apps Service": "앱 서비스 멈추는 중",
+ "Stopping {rowName}": "{rowName} 멈추는 중",
+ "Stopping...": "멈추는 중...",
+ "Storage": "저장소",
+ "Storage Class": "저장소 클래스",
+ "Storage Dashboard": "저장소 대시보드",
+ "Storage Settings": "저장소 설정",
+ "Storage URL": "저장소 URL",
+ "Storage URL - optional (rclone documentation).": "스토리지 URL - 선택사항 (Rclone 문서).",
+ "Storage location for the original snapshots that will be replicated.": "복제할 원본 스냅샷의 저장 위치입니다.",
+ "Storage location for the replicated snapshots.": "복제된 스냅샷의 저장 위치입니다.",
+ "Sun": "일",
+ "Sunday": "일요일",
+ "Support": "지원",
+ "Sync": "동기화",
+ "System": "시스템",
+ "System Information": "시스템 정보",
+ "System Information – Active": "시스템 정보 - 활성",
+ "System Information – Standby": "시스템 정보 - 대기",
+ "System Overload": "시스템 과부하",
+ "System Reports": "시스템 보고서",
+ "System Security": "시스템 보안",
+ "System Security Settings": "시스템 보안 설정",
+ "System Security Settings Updated.": "시스템 보안 설정이 갱신되었습니다.",
+ "System Stats": "시스템 상태",
+ "System Time Zone:": "시스템 시간대",
+ "System Uptime": "시스템 가동시간",
+ "System Utilization": "시스템 사용",
+ "System Version": "시스템 버전",
+ "System dataset updated.": "시스템 데이터셋이 갱신되었습니다.",
+ "System hostname.": "시스템의 호스트명입니다.",
+ "Tag": "태그",
+ "Tags": "태그",
+ "Task": "작업",
+ "Task Details for {task}": "{task} 작업 상세",
+ "Task Name": "작업 이름",
+ "Task Settings": "작업 설정",
+ "Task is on hold": "보류중인 작업",
+ "Task is running": "실행중인 작업",
+ "Task started": "작업 시작됨",
+ "Task updated": "작업 갱신됨",
+ "Tasks": "작업",
+ "Telegram Bot API Token (How to create a Telegram Bot)": "텔레그램 봇 API 토큰 (텔레그램 봇 생성 방법)",
+ "Tenant ID - optional for v1 auth, this or tenant required otherwise (rclone documentation).": "Tenant ID - v1 인증의 경우 선택사항, 그 외에는 필수 (Rclone 문서).",
+ "Tenant domain - optional (rclone documentation).": "Tenant 도메인 - 선택사항 (Rclone 문서).",
+ "Thank you. Ticket was submitted succesfully.": "감사합니다. 티켓을 성공적으로 제출했습니다.",
+ "The TrueNAS Community Forums are the best place to ask questions and interact with fellow TrueNAS users.": "TrueNAS 커뮤니티 포럼은 궁금한 것을 묻고 TrueNAS 사용자와 연대하는 최고의 장소입니다.",
+ "The TrueNAS Documentation Site is a collaborative website with helpful guides and information about your new storage system.": "TrueNAS 문서 사이트는 여러분의 새로운 저장소 시스템에 대한 유용한 안내와 정보를 제공합니다.",
+ "The OU in which new computer accounts are created. The OU string is read from top to bottom without RDNs. Slashes (\"/\") are used as delimiters, like Computers/Servers/NAS. The backslash (\"\\\") is used to escape characters but not as a separator. Backslashes are interpreted at multiple levels and might require doubling or even quadrupling to take effect. When this field is blank, new computer accounts are created in the Active Directory default OU.": "새로운 컴퓨터 계정이 생성된 조직 단위(OU)입니다. OU 문자열은 RDN을 포함하지 않습니다. 슬래시(\"/\")는 컴퓨터/서버/NAS와 같이 구분자로 사용됩니다. 역슬래시(\"\\\")는 이스케이프 문자로 사용되며 구분자로 사용될 수 없습니다.역슬래시는 각 단계에서 해석되며, 효과를 위해 두배 혹은 네배가 필요할 수 있습니다. 이 칸을 비워두면 새로운 컴퓨터 계정은 활성 디렉토리 기본 OU로 생성됩니다.",
+ "The SMB service has been restarted.": "SMB 서비스를 재시작했습니다.",
+ "The cache has been cleared.": "캐시를 비웠습니다.",
+ "The cache is being rebuilt.": "캐시를 재구성하는 중입니다.",
+ "This is the OS_TENANT_NAME from an OpenStack credentials file.": "OpenStack 자격증명 파일의 OS_TENANT_NAME 입니다.",
+ "Thu": "목",
+ "Thursday": "목요일",
+ "Ticket": "티켓",
+ "Time": "시간",
+ "Time Format": "시간 형식",
+ "Time Machine": "타임머신",
+ "Time Machine Quota": "타임머신 할당량",
+ "Time Server": "시간 서버",
+ "Timeout": "시간초과",
+ "Timestamp": "타임스탬프",
+ "Timezone": "시간대",
+ "Title": "제목",
+ "Today": "오늘",
+ "Toggle Collapse": "간략화 토글",
+ "Toggle Sidenav": "측면 메뉴 토글",
+ "Toggle {row}": "{row} 토글",
+ "Token": "토큰",
+ "Topology": "토폴로지",
+ "Topology Summary": "토폴로지 개요",
+ "Total": "전체",
+ "Total Allocation": "전체 할당량",
+ "Total Capacity": "전체 용량",
+ "Total Disks": "전체 디스크",
+ "Total Disks:": "전체 디스크:",
+ "Total Raw Capacity": "전체 원시 용량",
+ "Total Snapshots": "전체 스냅샷",
+ "Total ZFS Errors": "전체 ZFS 오류",
+ "Total failed": "전체 실패",
+ "Traffic": "트래픽",
+ "Transfer": "전송",
+ "Transfer Mode": "전송 모드",
+ "Transfer Setting": "전송 설정",
+ "Transfers": "전송",
+ "Treat Disk Size as Minimum": "디스크 크기 하한선으로 지정",
+ "TrueNAS Controller": "TrueNAS 컨트롤러",
+ "TrueNAS Help": "TrueNAS 도움말",
+ "TrueNAS URL": "TrueNAS 주소",
+ "TrueNAS is Free and Open Source software, which is provided as-is with no warranty.": "TrueNAS는 무료 공개형 소프트웨어로, 어떠한 보증 없이 있는 그대로 제공됩니다.",
+ "Tue": "화",
+ "Tuesday": "화요일",
+ "Type": "유형",
+ "UPS Mode": "UPS 모드",
+ "UPS Service": "UPS 서비스",
+ "UPS Stats": "UPS 통계",
+ "USB Devices": "USB 장치",
+ "Unassigned": "할당되지 않음",
+ "Unassigned Disks": "할당되지 않은 디스크",
+ "Unavailable": "사용 불가",
+ "Unencrypted": "복호화됨",
+ "Unhealthy": "건강상태 나쁨",
+ "Unix Permissions": "유닉스 권한",
+ "Unix Permissions Editor": "유닉스 권한 편집기",
+ "Unix Primary Group": "유닉스 주 그룹",
+ "Unix Socket": "유닉스 소켓",
+ "Unknown": "알 수 없음",
+ "Unknown CPU": "알 수 없는 CPU",
+ "Unknown PID": "알 수 없는 PID",
+ "Unlink": "연결끊기",
+ "Unlock": "잠금해제",
+ "Unlock Datasets": "데이터셋 잠금해제",
+ "Unlock Pool": "풀 잠금해제",
+ "Unlock with Key file": "키 파일로 잠금해제",
+ "Unlocked": "잠금해제됨",
+ "Unlocking Datasets": "데이터셋 잠금해제 중",
+ "Unsaved Changes": "변경사항 저장되지 않음",
+ "Unselect All": "모두 선택 취소",
+ "Update All": "모두 업데이트",
+ "Update Available": "사용 가능한 업데이트",
+ "Update Dashboard": "대시보드 갱신",
+ "Update File": "파일 갱신",
+ "Update File Temporary Storage Location": "업데이트 파일 임시 저장소 위치",
+ "Update Image": "이미지 갱신",
+ "Update Interval": "갱신 주기",
+ "Update License": "사용권 갱신",
+ "Update Members": "구성원 갱신",
+ "Update Password": "비밀번호 갱신",
+ "Update Pool": "풀 갱신",
+ "Update Release Notes": "갱신 내역",
+ "Update Software": "소프트웨어 갱신",
+ "Update System": "시스템 갱신",
+ "Update TrueCommand Settings": "TrueCommand 설정 갱신",
+ "Update available": "갱신 가능",
+ "Update in Progress": "갱신하는 중",
+ "Update successful. Please restart for the update to take effect. Restart now?": "갱신에 성공했습니다. 적용을 위해서 재시작하시기 바랍니다. 지금 재시작하시겠습니까?",
+ "Updated Date": "갱신일",
+ "Updates": "업데이트",
+ "Updates Available": "사용 가능한 업데이트",
+ "Updates available": "갱신 가능",
+ "Updates successfully downloaded": "업데이트 다운로드 성공",
+ "Updating": "갱신하는 중",
+ "Updating ACL": "ACL 갱신하는 중",
+ "Updating Instance": "인스턴스 갱신하는 중",
+ "Updating custom app": "사용자 앱 갱신하는 중",
+ "Updating key type": "키 유형 갱신하는 중",
+ "Updating settings": "설정 갱신하는 중",
+ "Upgrade": "업그레이드",
+ "Upgrade All Selected": "선택한 모든 항목 업그레이드",
+ "Upgrade Pool": "풀 업그레이드",
+ "Upgrade Release Notes": "업그레이드 내역",
+ "Upgrading Apps. Please check on the progress in Task Manager.": "앱을 업그레이드하고 있습니다. 작업 관리자를 통해 진행상황을 확인하시기 바랍니다.",
+ "Upgrading...": "업그레이드 하는 중...",
+ "Upload": "업로드",
+ "Upload Chunk Size (MiB)": "업로드 조각 크기 (MiB)",
+ "Upload Config": "업로드 구성",
+ "Upload Configuration": "업로드 구성",
+ "Upload File": "파일 업로드",
+ "Upload Image File": "이미지 파일 업로드",
+ "Upload Key file": "키 파일 업로드",
+ "Upload Manual Update File": "수동 업데이트 파일 업로드",
+ "Upload New Image File": "새로운 이미지 파일 업로드",
+ "Upload SSH Key": "SSH 키 업로드",
+ "Upload a Google Service Account credential file. The file is created with the Google Cloud Platform Console.": "구글 서비스 계정 인증 파일을 업로드합니다. 구글 클라우드 플랫폼 콘솔을 통해 생성할 수 있습니다.",
+ "Uploading and Applying Config": "구성 업로드하고 적용하기",
+ "Uploading file...": "파일 업로드하는 중...",
+ "Uptime": "가동시간",
+ "Usable Capacity": "사용 가능한 용량",
+ "Usage": "사용량",
+ "Usages": "사용량",
+ "Use rclone crypt to manage data encryption during PUSH or PULL transfers:
PUSH: Encrypt files before transfer and store the encrypted files on the remote system. Files are encrypted using the Encryption Password and Encryption Salt values.
PULL: Decrypt files that are being stored on the remote system before the transfer. Transferring the encrypted files requires entering the same Encryption Password and Encryption Salt that was used to encrypt the files.
Additional details about the encryption algorithm and key derivation are available in the rclone crypt File formats documentation.": "Rclone Crypt을(를) 사용해 PUSH 혹은 PULL 전송시 데이터를 암호화합니다:
PUSH: 파일 전송 이전에 암호화하여 암호화된 파일을 원격 시스템에 저장합니다. 파일은 암호화 비밀번호와 암호화 솔트(salt)로 암호화됩니다.
PULL: 원격 시스템에 저장된 암호화된 파일을 전송하기 전에 복호화합니다. 암호화된 파일을 전송하기 위해선 암호화할 떄와 동일한 암호화 비밀번호와 암호화 솔트(salt)가 필요합니다.
암호화 알고리듬과 키 파생에 대한 추가 정보는 Rclone Crypt 파일 형식 문서를 참고하세요.",
+ "Use --fast-list": "--fast-list 사용",
+ "Use Apple-style Character Encoding": "Apple 방식의 문자열 인코딩 사용",
+ "Use Custom ACME Server Directory URI": "사용자 ACME 서버 디렉토리 URI 사용",
+ "Use DHCP. Unset to manually configure a static IPv4 connection.": "DHCP를 사용합니다. 설정하지 않으면 정적 IPv4 연결을 수동으로 구성합니다.",
+ "Use Debug": "디버그 사용",
+ "Use Default Domain": "기본 도메인 사용",
+ "Use Preset": "사전설정 사용",
+ "Use Snapshot": "스냅샷 사용",
+ "Use Sudo For ZFS Commands": "ZFS 명령을 Sudo로 사용",
+ "Use Syslog Only": "Syslog 전용",
+ "Use all disk space": "모든 디스크 공간 사용",
+ "Use an exported encryption key file to unlock datasets.": "데이터셋을 잠금해제 하는데 내보낸 암호화 키 파일을 사용합니다.",
+ "Used": "사용됨",
+ "Used Space": "사용된 공간",
+ "User": "사용자",
+ "User API Keys": "사용자 API 키",
+ "User ID to log in - optional - most swift systems use user and leave this blank (rclone documentation).": "로그인 할 사용자 ID - 선택사항 - 대부분의 Swift 시스템은 user를 사용하고 이 칸을 비워둠(Rclone 문서).",
+ "User added": "사용자 추가됨",
+ "User deleted": "사용자 삭제됨",
+ "User domain - optional (rclone documentation).": "사용자 도메인 - 선택사항 (Rclone 문서)",
+ "User is lacking permissions to access WebUI.": "WebUI 접근 권한이 없는 사용자입니다.",
+ "User linked API Keys": "사용자에 연결된 API 키",
+ "User password": "사용자 비밀번호",
+ "User password. Must be at least 12 and no more than 16 characters long.": "사용자 비밀번호는 12자에서 16자 사이입니다.",
+ "User updated": "사용자 갱신됨",
+ "Username": "사용자이름",
+ "Username associated with this API key.": "이 API 키와 연결된 사용자이름입니다.",
+ "Username for this service.": "이 서비스의 사용자이름입니다.",
+ "Username of the SNMP User-based Security Model (USM) user.": "SNMP 사용자 기반 보안 모델(USM) 사용자 이름",
+ "Username on the remote system to log in via Web UI to setup connection.": "연결을 수립하기 위해 원격 시스템에 Web UI를 통해 로그인할 사용자이름입니다.",
+ "Username on the remote system which will be used to login via SSH.": "원격 시스템에 SSH를 통해 로그인할 사용자이름입니다.",
+ "Users": "사용자",
+ "Users could not be loaded": "사용자를 불러오지 못함",
+ "Uses one disk for parity while all other disks store data. RAIDZ1 requires at least three disks. RAIDZ is a traditional ZFS data protection scheme. \nChoose RAIDZ over dRAID when managing a smaller set of drives, where simplicity of setup and predictable disk usage are primary considerations.": "하나의 디스크에 패리티를 저장하고, 나머지 디스크에 데이터를 저장합니다. RAIDZ1은(는) 최소 세 개의 디스크가 필요합니다. RAIDZ은(는) 전통적으로 ZFS의 데이터를 보호하는 방식입니다.\n설정의 단순성과 디스크 사용량 예측이 첫 번째 고려사항인 소규모 드라이브 세트를 사용하는 경우 dRAID 대신 RAIDZ를 선택하십시오.",
+ "Uses three disks for parity while all other disks store data. RAIDZ3 requires at least five disks. RAIDZ is a traditional ZFS data protection scheme. \nChoose RAIDZ over dRAID when managing a smaller set of drives, where simplicity of setup and predictable disk usage are primary considerations.": "세 개의 디스크에 패리티를 저장하고, 나머지 디스크에 데이터를 저장합니다. RAIDZ2은(는) 최소 다섯 개의 디스크가 필요합니다. RAIDZ은(는) 전통적으로 ZFS의 데이터를 보호하는 방식입니다.\n설정의 단순성과 디스크 사용량 예측이 첫 번째 고려사항인 소규모 드라이브 세트를 사용하는 경우 dRAID 대신 RAIDZ를 선택하십시오.",
+ "Uses two disks for parity while all other disks store data. RAIDZ2 requires at least four disks. RAIDZ is a traditional ZFS data protection scheme. \nChoose RAIDZ over dRAID when managing a smaller set of drives, where simplicity of setup and predictable disk usage are primary considerations.": "두 개의 디스크에 패리티를 저장하고, 나머지 디스크에 데이터를 저장합니다. RAIDZ2은(는) 최소 네 개의 디스크가 필요합니다. RAIDZ은(는) 전통적으로 ZFS의 데이터를 보호하는 방식입니다.\n설정의 단순성과 디스크 사용량 예측이 첫 번째 고려사항인 소규모 드라이브 세트를 사용하는 경우 dRAID 대신 RAIDZ를 선택하십시오.",
+ "VDEVs not assigned": "할당된 VDEV 없음",
+ "VLAN Settings": "VLAN 설정",
+ "VLAN Tag": "VLAN 태그",
+ "VLAN interface": "VLAN 인터페이스",
+ "Vendor ID": "공급자 ID",
+ "Verify": "검증",
+ "Verify Credential": "자격증명 검증",
+ "Verify Email Address": "이메일 주소 검증",
+ "Version": "버전",
+ "Version to be upgraded to": "업그레이드 할 버전",
+ "View All": "모두 보기",
+ "View All S.M.A.R.T. Tests": "모든 S.M.A.R.T. 검사 보기",
+ "View All Scrub Tasks": "모든 스크럽 작업 보기",
+ "View All Test Results": "모든 검사 결과 보기",
+ "View Changelog": "변경사항 보기",
+ "View Details": "자세히 보기",
+ "View Disk Space Reports": "디스크 공간 보고서 보기",
+ "View Less": "덜보기",
+ "View Logs": "기록 보기",
+ "View More": "더보기",
+ "View Release Notes": "릴리스 노트 보기",
+ "View Reports": "보고서 보기",
+ "View logs": "기록 보기",
+ "Virtualization": "가상화",
+ "WARNING": "위험",
+ "Wait for 1 minute": "1분간 기다림",
+ "Wait for 30 seconds": "30초간 기다림",
+ "Wait for 5 minutes": "5분간 기다림",
+ "Waiting": "기다리는 중",
+ "Warning": "위험",
+ "Warning!": "위험!",
+ "Web Interface": "웹 인터페이스",
+ "Web Interface Address": "웹 인터페이스 주소",
+ "Web Interface HTTP -> HTTPS Redirect": "웹 인터페이스 HTTP -> HTTPS 재연결",
+ "Web Interface HTTP Port": "웹 인터페이스 HTTP 포트",
+ "Web Interface HTTPS Port": "웹 인터페이스 HTTPS 포트",
+ "Web Interface IPv4 Address": "웹 인터페이스 IPv4 주소",
+ "Web Interface IPv6 Address": "웹 인터페이스 IPv6 주소",
+ "Web Interface Port": "웹 인터페이스 포트",
+ "Web Shell Access": "웹 쉘 접근",
+ "Webhook URL": "웹훅 URL",
+ "Wed": "수",
+ "Wednesday": "수요일",
+ "Widget Category": "위젯 분류",
+ "Widget Editor": "위젯 편집기",
+ "Widget Subtext": "위젯 부가설명",
+ "Widget Text": "위젯 내용",
+ "Widget Title": "위젯 제목",
+ "Widget Type": "위젯 유형",
+ "Widget has errors": "위젯 오류 발생",
+ "Widget {slot} Settings": "위젯 {slot} 설정",
+ "Widgets": "위젯",
+ "Width": "폭",
+ "Wizard": "마법사",
+ "Write": "쓰기",
+ "Write ACL": "ACL 쓰기",
+ "Write Attributes": "속성 쓰기",
+ "Write Data": "데이터 쓰기",
+ "Write Errors": "쓰기 오류",
+ "Write Owner": "소유자 쓰기",
+ "Yes": "예",
+ "Yes I understand the risks": "위험성을 이해했습니다",
+ "Yesterday": "어제",
+ "You can join the TrueNAS Newsletter for monthly updates and latest developments.": "TrueNAS 소식지를 통해 매달 업데이트와 최신 개발 상황을 받아보세요.",
+ "Your dashboard is currently empty!": "대시보드가 비었습니다!",
+ "ZFS Cache": "ZFS 캐시",
+ "ZFS Deduplication": "ZFS 중복제거",
+ "ZFS Encryption": "ZFS 암호화",
+ "ZFS Errors": "ZFS 오류",
+ "ZFS Filesystem": "ZFS 파일시스템",
+ "ZFS Health": "ZFS 건강",
+ "ZFS Info": "ZFS 정보",
+ "ZFS Replication to another TrueNAS": "다른 TrueNAS로 ZFS 복제",
+ "ZFS Reports": "ZFS 보고서",
+ "ZFS Stats": "ZFS 상태",
+ "Zoom In": "확대",
+ "Zoom Out": "축소",
+ "Zvol Details": "Zvol 상세",
+ "Zvol Location": "Zvol 위치",
+ "Zvol Space Management": "Zvol 공간 관리",
+ "Zvol name": "Zvol 이름",
+ "Zvol «{name}» updated.": "Zvol «{name}»이(가) 갱신되었습니다.",
+ "[Use fewer transactions in exchange for more RAM.](https://rclone.org/docs/#fast-list) This can also speed up or slow down the transfer.": "[교환 요청을 줄여 더 많은 RAM을 확보합니다.](https://rclone.org/docs/#fast-list) 전송속도가 높아지거나 낮아질 수 있습니다.",
+ "dRAID is a ZFS feature that boosts resilver speed and load distribution. Due to fixed stripe width disk space efficiency may be substantially worse with small files. \nOpt for dRAID over RAID-Z when handling large-capacity drives and extensive disk environments for enhanced performance.": "dRAID은(는) 리실버 속도를 올리고 부하 분산을 위한 ZFS의 기능입니다. 고정된 스트라이프 너비로 작은 파일들에 대한 디스크 공간 효율성은 떨어집니다.\n대규모 드라이브의 확장성과 더 높은 성능을 위해 RAIDZ 대신 dRAID를 선택하십시오.",
+ "total available": "총 가용",
+ "{ n, plural, one {# snapshot} other {# snapshots} }": "{n} 스냅샷",
+ "{coreCount, plural, one {# core} other {# cores} }": "{coreCount}코어",
+ "{days, plural, =1 {# day} other {# days}}": "{days}일",
+ "{duration} remaining": "{duration} 남음",
+ "{failedCount} of {allCount, plural, =1 {# task} other {# tasks}} failed": "{allCount} 중 {failedCount} 실패함",
+ "{field} is required": "{field}이(가) 필요합니다.",
+ "{hours, plural, =1 {# hour} other {# hours}}": "{hours}시간",
+ "{minutes, plural, =1 {# minute} other {# minutes}}": "{minutes}분",
+ "{n, plural, =0 {No Errors} one {# Error} other {# Errors}}": "{n, plural, =0 {오류 없음} other {# 오류}}",
+ "{n, plural, =0 {No Tasks} one {# Task} other {# Tasks}} Configured": "{n, plural, =0 {구성된 작업 없음} other {# 작업 구성됨}}",
+ "{n, plural, =0 {No errors} one {# Error} other {# Errors}}": "{n, plural, =0 {오류 없음} other {# 오류}}",
+ "{n, plural, =0 {No keys} =1 {# key} other {# keys}}": "{n, plural, =0 {키 없음} other {# 키}}",
+ "{n, plural, =0 {No open files} one {# open file} other {# open files}}": "{n, plural, =0 {열린 파일 없음} other {# 열린 파일}}",
+ "{n, plural, one {# CPU} other {# CPUs}}": "{n} CPU",
+ "{n, plural, one {# Environment Variable} other {# Environment Variables} }": "{n} 환경 변수",
+ "{n, plural, one {# GPU} other {# GPUs}} isolated": "{n} GPU",
+ "{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "{n}개의 부트 환경이 삭제되었습니다.",
+ "{n, plural, one {# core} other {# cores}}": "{n}코어",
+ "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "{n}개의 도커 이미지가 삭제되었습니다.",
+ "{n, plural, one {# thread} other {# threads}}": "{n}스레드",
+ "{n, plural, one {Failed Disk} other {Failed Disks} }": "실패한 디스크",
+ "{name} Devices": "{name} 장치",
+ "{name} Sessions": "{name} 세션",
+ "{name} and {n, plural, one {# other pool} other {# other pools}} are not healthy.": "{name}와(과) {n}개의 다른 풀이 건강하지 않습니다.",
+ "{nic} Address": "{nic} 주소",
+ "{n}% Uploaded": "{n}% 업로드 됨",
+ "{seconds, plural, =1 {# second} other {# seconds}}": "{seconds}초",
+ "{service} Service is not currently running. Start the service now?": "{service} 서비스가 실행중이 아닙니다. 지금 실행하시겠습니까?",
+ "{temp}°C (All Cores)": "{temp}°C (모든 코어)",
+ "{temp}°C (Core #{core})": "{temp}°C (코어 #{core})",
+ "{temp}°C ({coreCount} cores at {temp}°C)": "{temp}°C ({temp}°C의 {coreCount}코어)",
+ "{threadCount, plural, one {# thread} other {# threads} }": "{threadCount}스레드",
+ "{type} VDEVs": "{type} VDEV",
+ "{type} at {location}": "{location}의 {type}",
+ "{type} widget does not support {size} size.": "{type} 위젯은 {size} 크기를 지원하지 않습니다.",
+ "{type} widget is not supported.": "{type} 위젯은 지원되지 않습니다.",
+ "{type} | {vdevWidth} wide | ": "{type} | {vdevwidth} 폭 | ",
+ "{usage}% (All Threads)": "{usage}% (모든 스레드)",
+ "{usage}% (Thread #{thread})": "{usage}% (스레드 #{thread})",
+ "{usage}% ({threadCount} threads at {usage}%)": "{usage}% ({usage}%의 {threadCount}스레드)",
+ "{used} of {total} ({used_pct})": "{total} 중 {used} ({used_pct})",
+ "{version} is available!": "{version}이 준비되었습니다!",
+ "{view} on {enclosure}": "{enclousure}의 {view}"
}
\ No newline at end of file
diff --git a/src/assets/i18n/lb.json b/src/assets/i18n/lb.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/lb.json
+++ b/src/assets/i18n/lb.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/lt.json b/src/assets/i18n/lt.json
index 9c5cf1f4171..91ec810b032 100644
--- a/src/assets/i18n/lt.json
+++ b/src/assets/i18n/lt.json
@@ -196,6 +196,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -469,6 +470,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1246,6 +1248,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1495,6 +1498,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1887,6 +1891,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4968,6 +4974,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/lv.json b/src/assets/i18n/lv.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/lv.json
+++ b/src/assets/i18n/lv.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/mk.json b/src/assets/i18n/mk.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/mk.json
+++ b/src/assets/i18n/mk.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/ml.json b/src/assets/i18n/ml.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/ml.json
+++ b/src/assets/i18n/ml.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/mn.json b/src/assets/i18n/mn.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/mn.json
+++ b/src/assets/i18n/mn.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/mr.json b/src/assets/i18n/mr.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/mr.json
+++ b/src/assets/i18n/mr.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/my.json b/src/assets/i18n/my.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/my.json
+++ b/src/assets/i18n/my.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/nb.json b/src/assets/i18n/nb.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/nb.json
+++ b/src/assets/i18n/nb.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/ne.json b/src/assets/i18n/ne.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/ne.json
+++ b/src/assets/i18n/ne.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/nl.json b/src/assets/i18n/nl.json
index a9f20406395..fdab757b5f6 100644
--- a/src/assets/i18n/nl.json
+++ b/src/assets/i18n/nl.json
@@ -6,6 +6,7 @@
"Actions for {device}": "",
"Add Container": "",
"Add Disk": "",
+ "Add Fibre Channel Port": "",
"Add Proxy": "",
"Alias": "",
"All Host CPUs": "",
@@ -14,6 +15,7 @@
"Also unlock any separate encryption roots that are children of this dataset. Child datasets that inherit encryption from this encryption root will be unlocked in either case.": "",
"Api Keys": "",
"Archs": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete {item}?": "",
"Are you sure you want to remove the extent association with {extent}?": "",
"Associate": "",
@@ -29,6 +31,7 @@
"Creating Instance": "",
"Dataset for use by an application. If you plan to deploy container applications, the system automatically creates the ix-apps dataset but this is not used for application data storage.": "",
"Delete App": "",
+ "Delete Fibre Channel Port": "",
"Delete Item": "",
"Deleted {n, plural, one {# snapshot} other {# snapshots} }": "",
"Determines whether restic backup will contain absolute or relative paths": "",
@@ -38,6 +41,7 @@
"Discovery Authentication": "",
"Disk I/O Full Pressure": "",
"Disk saved": "",
+ "Edit Fibre Channel Port": "",
"Edit Instance: {name}": "",
"Edit Proxy": "",
"Enable this to create a token with no expiration date. The token will stay active until it is manually revoked or updated.": "",
@@ -49,6 +53,8 @@
"Fast Storage": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"GPU Devices": "",
"Global Target Configuration": "",
@@ -137,6 +143,8 @@
"Virtualization Image Write": "",
"Virtualization Instance Delete": "",
"Virtualization Instance Read": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/nn.json b/src/assets/i18n/nn.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/nn.json
+++ b/src/assets/i18n/nn.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/os.json b/src/assets/i18n/os.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/os.json
+++ b/src/assets/i18n/os.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/pa.json b/src/assets/i18n/pa.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/pa.json
+++ b/src/assets/i18n/pa.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/pl.json b/src/assets/i18n/pl.json
index ed712ff0df9..e264df0e060 100644
--- a/src/assets/i18n/pl.json
+++ b/src/assets/i18n/pl.json
@@ -170,6 +170,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group Quotas": "",
"Add ISCSI Target": "",
@@ -428,6 +429,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1199,6 +1201,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1448,6 +1451,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1840,6 +1844,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4900,6 +4906,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/pt-br.json b/src/assets/i18n/pt-br.json
index 1515145ac94..9db02147cbe 100644
--- a/src/assets/i18n/pt-br.json
+++ b/src/assets/i18n/pt-br.json
@@ -144,6 +144,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -417,6 +418,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1194,6 +1196,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1443,6 +1446,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1835,6 +1839,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4918,6 +4924,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/pt.json b/src/assets/i18n/pt.json
index 8033dce3ad0..868b80841ec 100644
--- a/src/assets/i18n/pt.json
+++ b/src/assets/i18n/pt.json
@@ -89,6 +89,7 @@
"Add Disk": "",
"Add Disk Test": "",
"Add Exporter": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Image": "",
"Add Item": "",
@@ -219,6 +220,7 @@
"Applying important system or security updates.": "",
"Arbitrary Text": "",
"Archs": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete {item}?": "",
"Are you sure you want to remove the extent association with {extent}?": "",
"Are you sure you want to restore the default set of widgets?": "",
@@ -589,6 +591,7 @@
"Delete Cloud Credential": "",
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
+ "Delete Fibre Channel Port": "",
"Delete Init/Shutdown Script {script}?": "",
"Delete Interface": "",
"Delete Item": "",
@@ -717,6 +720,7 @@
"EXPIRES TODAY": "",
"Edit Custom App": "",
"Edit Disk(s)": "",
+ "Edit Fibre Channel Port": "",
"Edit Instance: {name}": "",
"Edit Proxy": "",
"Edit Trim": "",
@@ -990,6 +994,8 @@
"Feedback Type": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"File Mask": "",
"File Permissions": "",
@@ -3193,6 +3199,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/ro.json b/src/assets/i18n/ro.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/ro.json
+++ b/src/assets/i18n/ro.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/ru.json b/src/assets/i18n/ru.json
index d14631eb05b..816e15c9cfb 100644
--- a/src/assets/i18n/ru.json
+++ b/src/assets/i18n/ru.json
@@ -106,6 +106,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group Quotas": "",
"Add ISCSI Target": "",
@@ -297,6 +298,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -789,6 +791,7 @@
"Delete Cloud Credential": "",
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -948,6 +951,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Global Configuration": "",
"Edit Group Quota": "",
"Edit ISCSI Target": "",
@@ -1150,6 +1154,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -3294,6 +3300,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/sk.json b/src/assets/i18n/sk.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/sk.json
+++ b/src/assets/i18n/sk.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/sl.json b/src/assets/i18n/sl.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/sl.json
+++ b/src/assets/i18n/sl.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/sq.json b/src/assets/i18n/sq.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/sq.json
+++ b/src/assets/i18n/sq.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/sr-latn.json b/src/assets/i18n/sr-latn.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/sr-latn.json
+++ b/src/assets/i18n/sr-latn.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/sr.json b/src/assets/i18n/sr.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/sr.json
+++ b/src/assets/i18n/sr.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/strings.json b/src/assets/i18n/strings.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/strings.json
+++ b/src/assets/i18n/strings.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/sv.json b/src/assets/i18n/sv.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/sv.json
+++ b/src/assets/i18n/sv.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/sw.json b/src/assets/i18n/sw.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/sw.json
+++ b/src/assets/i18n/sw.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/ta.json b/src/assets/i18n/ta.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/ta.json
+++ b/src/assets/i18n/ta.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/te.json b/src/assets/i18n/te.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/te.json
+++ b/src/assets/i18n/te.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/th.json b/src/assets/i18n/th.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/th.json
+++ b/src/assets/i18n/th.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/tr.json b/src/assets/i18n/tr.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/tr.json
+++ b/src/assets/i18n/tr.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/tt.json b/src/assets/i18n/tt.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/tt.json
+++ b/src/assets/i18n/tt.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/udm.json b/src/assets/i18n/udm.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/udm.json
+++ b/src/assets/i18n/udm.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/uk.json b/src/assets/i18n/uk.json
index 9020ea36d13..848b8771488 100644
--- a/src/assets/i18n/uk.json
+++ b/src/assets/i18n/uk.json
@@ -69,6 +69,7 @@
"Add Disk Test": "",
"Add Expansion Shelf": "",
"Add Exporter": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Image": "",
"Add Item": "",
@@ -186,6 +187,7 @@
"Archs": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete cronjob \"{name}\"?": "",
@@ -529,6 +531,7 @@
"Delete Cloud Credential": "",
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
+ "Delete Fibre Channel Port": "",
"Delete Init/Shutdown Script {script}?": "",
"Delete Interface": "",
"Delete Item": "",
@@ -630,6 +633,7 @@
"Edit Custom App": "",
"Edit Disk(s)": "",
"Edit Expansion Shelf": "",
+ "Edit Fibre Channel Port": "",
"Edit Instance: {name}": "",
"Edit Label": "",
"Edit Manual Disk Selection": "",
@@ -738,6 +742,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"File ID": "",
"File Mask": "",
@@ -2007,6 +2013,8 @@
"Volume Size": "",
"WARNING: Adding data VDEVs with different numbers of disks is not recommended.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/vi.json b/src/assets/i18n/vi.json
index f7554ded4df..1dbed58d8fe 100644
--- a/src/assets/i18n/vi.json
+++ b/src/assets/i18n/vi.json
@@ -201,6 +201,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add Group": "",
"Add Group Quotas": "",
@@ -474,6 +475,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1252,6 +1254,7 @@
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
"Delete Device": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1501,6 +1504,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Filesystem ACL": "",
"Edit Global Configuration": "",
"Edit Group": "",
@@ -1893,6 +1897,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4977,6 +4983,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/zh-hans.json b/src/assets/i18n/zh-hans.json
index 8e6bb7c8db9..f3995eab717 100644
--- a/src/assets/i18n/zh-hans.json
+++ b/src/assets/i18n/zh-hans.json
@@ -8,6 +8,7 @@
"Actions for {device}": "",
"Add Container": "",
"Add Disk": "",
+ "Add Fibre Channel Port": "",
"Add Proxy": "",
"Add to trusted store": "",
"Add user linked API Key": "",
@@ -23,6 +24,7 @@
"Apply updates and restart system after downloading.": "",
"Applying important system or security updates.": "",
"Archs": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete {item}?": "",
"Are you sure you want to remove the extent association with {extent}?": "",
"Associate": "",
@@ -53,6 +55,7 @@
"Custom Reason": "",
"Dataset is locked": "",
"Delete App": "",
+ "Delete Fibre Channel Port": "",
"Delete Item": "",
"Deleted {n, plural, one {# snapshot} other {# snapshots} }": "",
"Determines whether restic backup will contain absolute or relative paths": "",
@@ -64,6 +67,7 @@
"Discovery Authentication": "",
"Disk I/O Full Pressure": "",
"Disk saved": "",
+ "Edit Fibre Channel Port": "",
"Edit Instance: {name}": "",
"Edit Proxy": "",
"Enable NFS over RDMA": "",
@@ -77,6 +81,8 @@
"Fast Storage": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"GPU Devices": "",
"Global Settings": "",
@@ -243,6 +249,8 @@
"Virtualization Instance Read": "",
"Virtualization Instance Write": "",
"Virtualization settings updated": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/i18n/zh-hant.json b/src/assets/i18n/zh-hant.json
index 66c200d164b..62f867635ae 100644
--- a/src/assets/i18n/zh-hant.json
+++ b/src/assets/i18n/zh-hant.json
@@ -174,6 +174,7 @@
"Add Exporter": "",
"Add Extent": "",
"Add External Interfaces": "",
+ "Add Fibre Channel Port": "",
"Add Filesystem": "",
"Add ISCSI Target": "",
"Add Idmap": "",
@@ -404,6 +405,7 @@
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{name}\"?": "",
"Are you sure you want to delete {name} Reporting Exporter?": "",
+ "Are you sure you want to delete Fibre Channel Port {port}?": "",
"Are you sure you want to delete NFS Share \"{path}\"?": "",
"Are you sure you want to delete SMB Share \"{name}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -1044,6 +1046,7 @@
"Delete Cloud Credential": "",
"Delete Cloud Sync Task \"{name}\"?": "",
"Delete DNS Authenticator": "",
+ "Delete Fibre Channel Port": "",
"Delete Group": "",
"Delete Group Quota": "",
"Delete Init/Shutdown Script {script}?": "",
@@ -1247,6 +1250,7 @@
"Edit Encryption Options for {dataset}": "",
"Edit Expansion Shelf": "",
"Edit Extent": "",
+ "Edit Fibre Channel Port": "",
"Edit Global Configuration": "",
"Edit ISCSI Target": "",
"Edit Init/Shutdown Script": "",
@@ -1579,6 +1583,8 @@
"Fetching Encryption Summary for {dataset}": "",
"Fibre Channel": "",
"Fibre Channel Port": "",
+ "Fibre Channel Port has been created": "",
+ "Fibre Channel Port has been updated": "",
"Fibre Channel Ports": "",
"Field is required": "",
"File": "",
@@ -4231,6 +4237,8 @@
"WARNING: Keys for all nested datasets with encryption applied will be downloaded.": "",
"WARNING: Only the key for the dataset in question will be downloaded.": "",
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
+ "WWPN": "",
+ "WWPN (B)": "",
"Wait for 1 minute": "",
"Wait for 30 seconds": "",
"Wait for 5 minutes": "",
diff --git a/src/assets/ui-searchable-elements.json b/src/assets/ui-searchable-elements.json
index 0008a6c82b4..d059dc99fd5 100644
--- a/src/assets/ui-searchable-elements.json
+++ b/src/assets/ui-searchable-elements.json
@@ -2629,6 +2629,25 @@
"triggerAnchor": null,
"section": "ui"
},
+ {
+ "hierarchy": [
+ "Shares",
+ "iSCSI",
+ "Fibre Channel Ports"
+ ],
+ "synonyms": [],
+ "requiredRoles": [],
+ "visibleTokens": [],
+ "anchorRouterLink": [
+ "/sharing",
+ "iscsi",
+ "fibre-channel-ports"
+ ],
+ "routerLink": null,
+ "anchor": "shares-iscsi-fibre-channel-ports",
+ "triggerAnchor": null,
+ "section": "ui"
+ },
{
"hierarchy": [
"Shares",