();
- @ViewChild(DatatableComponent, { static: false }) table: DatatableComponent;
- typeControl = new FormControl(undefined as string);
- removable = true;
- disks: ManagerDisk[] = [];
- selected: ManagerDisk[] = [];
- id: number;
- size: string;
- rawSize = 0;
- firstdisksize: number;
- error: string;
- diskSizeErrorMsg = helptext.vdev_diskSizeErrorMsg;
- vdevTypeTooltip = helptext.vdev_type_tooltip;
- vdevDisksError: boolean;
- showDiskSizeError: boolean;
- vdevTypeDisabled = false;
- private tenMib = 10 * MiB;
- protected mindisks: { [key: string]: number } = {
- stripe: 1,
- mirror: 2,
- raidz: 3,
- raidz2: 4,
- raidz3: 5,
- draid1: 2,
- draid2: 3,
- draid3: 4,
- };
-
- startingHeight: number;
- expandedRows: number;
-
- constructor(
- public translate: TranslateService,
- public sorter: StorageService,
- private cdr: ChangeDetectorRef,
- ) {}
-
- ngOnInit(): void {
- if (this.group === 'data') {
- this.vdevTypeDisabled = !this.manager.isNew;
- if (!this.vdevTypeDisabled) {
- this.typeControl.setValue('stripe');
- }
- } else {
- this.typeControl.setValue('stripe');
- }
- if (this.initialValues.disks) {
- this.initialValues.disks.forEach((disk: ManagerDisk) => {
- this.addDisk(disk);
- this.manager.removeDisk(disk);
- });
- this.initialValues.disks = [];
- }
- if (this.initialValues.type) {
- this.typeControl.setValue(this.initialValues.type);
- }
- this.estimateSize();
-
- this.typeControl.valueChanges.pipe(untilDestroyed(this)).subscribe(() => {
- this.emitChangedVdev();
- this.onTypeChange();
- });
-
- this.cdr.markForCheck();
- }
-
- getType(): string {
- if (
- (this.typeControl.value === undefined || this.typeControl.value === null)
- && this.manager.firstDataVdevType !== undefined
- ) {
- this.typeControl.setValue(this.manager.firstDataVdevType);
- }
-
- // TODO: Enum
- return helptext.vdev_types[this.typeControl.value as keyof typeof helptext.vdev_types];
- }
-
- addDisk(disk: ManagerDisk): void {
- this.disks.push(disk);
- this.disks = [...this.disks];
- this.guessVdevType();
- this.estimateSize();
- this.disks = this.sorter.tableSorter(this.disks, 'devname', 'asc');
- this.emitChangedVdev();
- }
-
- removeDisk(disk: ManagerDisk): void {
- this.disks.splice(this.disks.indexOf(disk), 1);
- this.disks = [...this.disks];
- this.guessVdevType();
- this.estimateSize();
- this.manager.getCurrentLayout();
- }
-
- emitChangedVdev(): void {
- this.vdevChanged.emit({
- disks: [...this.disks],
- type: this.typeControl.value,
- uuid: this.uuid,
- group: this.group,
- rawSize: this.rawSize,
- vdevDisksError: this.vdevDisksError,
- showDiskSizeError: this.showDiskSizeError,
- });
- }
-
- guessVdevType(): void {
- if (this.group === 'data' && !this.vdevTypeDisabled) {
- if (this.disks.length === 2) {
- this.typeControl.setValue('mirror');
- } else if (this.disks.length === 3) {
- this.typeControl.setValue('raidz');
- } else if (this.disks.length >= 4 && this.disks.length <= 8) {
- this.typeControl.setValue('raidz2');
- } else if (this.disks.length >= 9) {
- this.typeControl.setValue('raidz3');
- } else {
- this.typeControl.setValue('stripe');
- }
- }
- if (this.group === 'special' && !this.vdevTypeDisabled) {
- if (this.disks.length >= 2) {
- this.typeControl.setValue('mirror');
- } else {
- this.typeControl.setValue('stripe');
- }
- }
- this.cdr.detectChanges();
- }
-
- estimateSize(): void {
- this.error = null;
- this.firstdisksize = 0;
- let totalsize = 0;
- let stripeSize = 0;
- let smallestdisk = 0;
- let estimate = 0;
- const swapsize = this.manager.swapondrive * GiB;
- this.showDiskSizeError = false;
- for (let i = 0; i < this.disks.length; i++) {
- const size = this.disks[i].real_capacity - swapsize;
- stripeSize += size;
- if (i === 0) {
- smallestdisk = size;
- this.firstdisksize = size;
- }
- if (size > smallestdisk + this.tenMib || size < smallestdisk - this.tenMib) {
- this.showDiskSizeError = true;
- }
- if (this.disks[i].real_capacity < smallestdisk) {
- smallestdisk = size;
- }
- }
- if (this.group === 'data') {
- if (this.disks.length > 0 && this.disks.length < this.mindisks[this.typeControl.value]) {
- this.error = this.translate.instant(
- 'This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.',
- { n: this.mindisks[this.typeControl.value] },
- );
- this.vdevDisksError = true;
- } else {
- this.vdevDisksError = false;
- }
- }
- totalsize = smallestdisk * this.disks.length;
- const defaultDraidDataPerGroup = 8;
-
- // do the same as getType() to prevent issues while repeating
- if (this.typeControl.value === undefined || this.typeControl.value === null) {
- this.typeControl.setValue(this.manager.firstDataVdevType);
- }
- if (this.typeControl.value === 'mirror') {
- estimate = smallestdisk;
- } else if (this.typeControl.value === 'raidz') {
- estimate = totalsize - smallestdisk;
- } else if (this.typeControl.value === 'raidz2') {
- estimate = totalsize - 2 * smallestdisk;
- } else if (this.typeControl.value === 'raidz3') {
- estimate = totalsize - 3 * smallestdisk;
- } else if (this.typeControl.value === 'draid1') {
- const dataPerGroup = Math.min(defaultDraidDataPerGroup, this.disks.length - 1);
- estimate = this.disks.length * (dataPerGroup / (dataPerGroup + 1)) * smallestdisk;
- } else if (this.typeControl.value === 'draid2') {
- const dataPerGroup = Math.min(defaultDraidDataPerGroup, this.disks.length - 2);
- estimate = this.disks.length * (dataPerGroup / (dataPerGroup + 2)) * smallestdisk;
- } else if (this.typeControl.value === 'draid3') {
- const dataPerGroup = Math.min(defaultDraidDataPerGroup, this.disks.length - 3);
- estimate = this.disks.length * (dataPerGroup / (dataPerGroup + 3)) * smallestdisk;
- } else {
- estimate = stripeSize; // stripe
- }
-
- this.rawSize = estimate;
- this.size = filesize(estimate, { standard: 'iec' });
- this.emitChangedVdev();
- }
-
- onSelect({ selected }: { selected: ManagerDisk[] }): void {
- this.selected.splice(0, this.selected.length);
- this.selected.push(...selected);
- }
-
- removeSelectedDisks(): void {
- this.selected.forEach((disk) => {
- this.manager.addDisk(disk);
- this.removeDisk(disk);
- });
- this.selected = [];
- }
-
- addSelectedDisks(): void {
- this.manager.selected.forEach((disk) => {
- this.addDisk(disk);
- this.manager.removeDisk(disk);
- });
- this.manager.selected = [];
- }
-
- getDisks(): ManagerDisk[] {
- return this.disks;
- }
-
- onTypeChange(): void {
- this.estimateSize();
- this.manager.getCurrentLayout();
- }
-
- remove(): void {
- while (this.disks.length > 0) {
- this.manager.addDisk(this.disks.pop());
- }
- this.manager.removeVdev(this);
- }
-
- reorderEvent(event: { sorts: SortPropDir[] }): void {
- const sort = event.sorts[0];
- const rows = this.disks;
- this.sorter.tableSorter(rows, sort.prop as keyof ManagerDisk, sort.dir);
- }
-
- toggleExpandRow(row: ManagerDisk): void {
- if (!this.startingHeight) {
- this.startingHeight = document.getElementsByClassName('ngx-datatable')[0].clientHeight;
- }
- this.table.rowDetail.toggleExpandRow(row);
- setTimeout(() => {
- this.expandedRows = document.querySelectorAll('.datatable-row-detail').length;
- const newHeight = (this.expandedRows * 100) + this.startingHeight;
- const heightStr = `height: ${newHeight}px`;
- document.getElementsByClassName('ngx-datatable')[0].setAttribute('style', heightStr);
- }, 100);
- }
-}
diff --git a/src/app/pages/storage/components/pools-dashboard/pools-dashboard.component.html b/src/app/pages/storage/components/pools-dashboard/pools-dashboard.component.html
index cc8362cd593..dd118abe7e7 100644
--- a/src/app/pages/storage/components/pools-dashboard/pools-dashboard.component.html
+++ b/src/app/pages/storage/components/pools-dashboard/pools-dashboard.component.html
@@ -11,10 +11,6 @@
{{ 'Create Pool' | translate }}
-
-
- {{ 'Create Pool (Legacy)' }}
-
diff --git a/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.html b/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.html
index 544ef551c37..208a2d4599d 100644
--- a/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.html
+++ b/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.html
@@ -29,14 +29,6 @@ {{ 'Unassigned Disks' | translate }}
[required]="true"
[options]="poolOptions$"
>
-
-
diff --git a/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.spec.ts b/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.spec.ts
index 1a8e93b3e7a..8fd47fc0618 100644
--- a/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.spec.ts
+++ b/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.spec.ts
@@ -86,20 +86,4 @@ describe('ManageUnusedDiskDialogComponent', () => {
expect(spectator.inject(MatDialogRef).close).toHaveBeenCalled();
expect(spectator.inject(Router).navigate).toHaveBeenCalledWith(['/storage', 2, 'add-vdevs']);
});
-
- it('redirects to add disks to pool page (Legacy) when choosing Add Disks To Existing Pool (Legacy)', async () => {
- await form.fillForm({
- 'Add Disks To:': 'Existing Pool (Legacy)',
- });
-
- await form.fillForm({
- 'Existing Pool (Legacy)': 'TEST',
- });
-
- const addDisksButton = await loader.getHarness(MatButtonHarness.with({ text: 'Add Disks' }));
- await addDisksButton.click();
-
- expect(spectator.inject(MatDialogRef).close).toHaveBeenCalled();
- expect(spectator.inject(Router).navigate).toHaveBeenCalledWith(['/storage', 2, 'add-vdevs-legacy']);
- });
});
diff --git a/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.ts b/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.ts
index d89b5aa2205..5b89c5c1f49 100644
--- a/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.ts
+++ b/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.component.ts
@@ -27,9 +27,6 @@ export class ManageUnusedDiskDialogComponent implements OnInit {
}, {
label: this.translate.instant('Existing Pool'),
value: AddToPoolType.Existing,
- }, {
- label: this.translate.instant('Existing Pool (Legacy)'),
- value: AddToPoolType.ExistingLegacy,
},
]);
@@ -51,15 +48,6 @@ export class ManageUnusedDiskDialogComponent implements OnInit {
),
],
],
- poolLegacy: [
- null as number,
- [
- this.validatorsService.validateOnCondition(
- (control: AbstractControl) => control.parent?.get('toPool').value === AddToPoolType.ExistingLegacy,
- Validators.required,
- ),
- ],
- ],
});
constructor(
@@ -94,17 +82,11 @@ export class ManageUnusedDiskDialogComponent implements OnInit {
return this.form.controls.toPool.value === AddToPoolType.Existing;
}
- get isExistingLegacyMode(): boolean {
- return this.form.controls.toPool.value === AddToPoolType.ExistingLegacy;
- }
-
ngOnInit(): void {
this.form.controls.toPool.valueChanges.pipe(untilDestroyed(this)).subscribe((value) => {
if (value === AddToPoolType.New) {
this.form.controls.pool.reset();
this.form.controls.pool.setErrors(null);
- this.form.controls.poolLegacy.reset();
- this.form.controls.poolLegacy.setErrors(null);
}
this.cdr.detectChanges();
});
@@ -113,11 +95,9 @@ export class ManageUnusedDiskDialogComponent implements OnInit {
onSubmit(): void {
this.dialogRef.close();
- const { toPool, pool, poolLegacy } = this.form.value;
+ const { toPool, pool } = this.form.value;
if (toPool === AddToPoolType.Existing) {
this.router.navigate(['/storage', pool, 'add-vdevs']);
- } else if (toPool === AddToPoolType.ExistingLegacy) {
- this.router.navigate(['/storage', poolLegacy, 'add-vdevs-legacy']);
} else {
this.router.navigate(['/storage', 'create']);
}
diff --git a/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.interface.ts b/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.interface.ts
index c9cf3fe5803..d3b00c55cef 100644
--- a/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.interface.ts
+++ b/src/app/pages/storage/components/unused-resources/unused-disk-card/manage-unused-disk-dialog/manage-unused-disk-dialog.interface.ts
@@ -9,5 +9,4 @@ export interface ManageUnusedDiskDialogResource {
export enum AddToPoolType {
New = 'NEW',
Existing = 'EXISTING',
- ExistingLegacy = 'EXISTING_LEGACY',
}
diff --git a/src/app/pages/storage/modules/pool-manager/pool-manager.module.ts b/src/app/pages/storage/modules/pool-manager/pool-manager.module.ts
index fe19195fb7f..11ec2742b67 100644
--- a/src/app/pages/storage/modules/pool-manager/pool-manager.module.ts
+++ b/src/app/pages/storage/modules/pool-manager/pool-manager.module.ts
@@ -24,9 +24,6 @@ import { IxIconModule } from 'app/modules/ix-icon/ix-icon.module';
import { TreeModule } from 'app/modules/ix-tree/tree.module';
import { AppLoaderModule } from 'app/modules/loader/app-loader.module';
import { TestIdModule } from 'app/modules/test-id/test-id.module';
-import {
- DownloadKeyDialogOldComponent,
-} from 'app/pages/storage/components/manager/download-key-old/download-key-dialog-old.component';
import { AddVdevsComponent } from 'app/pages/storage/modules/pool-manager/components/add-vdevs/add-vdevs.component';
import { AddVdevsStore } from 'app/pages/storage/modules/pool-manager/components/add-vdevs/store/add-vdevs-store.service';
import { ConfigurationPreviewComponent } from 'app/pages/storage/modules/pool-manager/components/configuration-preview/configuration-preview.component';
@@ -125,7 +122,6 @@ import { DataWizardStepComponent } from './components/pool-manager-wizard/steps/
DataWizardStepComponent,
PoolWarningsComponent,
DownloadKeyDialogComponent,
- DownloadKeyDialogOldComponent,
InspectVdevsDialogComponent,
TopologyCategoryDescriptionPipe,
],
diff --git a/src/app/pages/storage/storage.module.ts b/src/app/pages/storage/storage.module.ts
index 74dc0922c7c..3c096581ba4 100644
--- a/src/app/pages/storage/storage.module.ts
+++ b/src/app/pages/storage/storage.module.ts
@@ -41,12 +41,6 @@ import { GaugeChartComponent } from 'app/pages/storage/components/dashboard-pool
import { PoolUsageCardComponent } from 'app/pages/storage/components/dashboard-pool/pool-usage-card/pool-usage-card.component';
import { TopologyCardComponent } from 'app/pages/storage/components/dashboard-pool/topology-card/topology-card.component';
import { ImportPoolComponent } from 'app/pages/storage/components/import-pool/import-pool.component';
-import { ExportedPoolsDialogComponent } from 'app/pages/storage/components/manager/exported-pools-dialog/exported-pools-dialog.component';
-import { ManagerComponent } from 'app/pages/storage/components/manager/manager.component';
-import {
- RepeatVdevDialogComponent,
-} from 'app/pages/storage/components/manager/repeat-vdev-dialog/repeat-vdev-dialog.component';
-import { VdevComponent } from 'app/pages/storage/components/manager/vdev/vdev.component';
import { PoolsDashboardComponent } from 'app/pages/storage/components/pools-dashboard/pools-dashboard.component';
import {
ManageUnusedDiskDialogComponent,
@@ -111,9 +105,6 @@ import { ZfsHealthCardComponent } from './components/dashboard-pool/zfs-health-c
GaugeChartComponent,
TopologyCardComponent,
ImportPoolComponent,
- VdevComponent,
- ManagerComponent,
- ExportedPoolsDialogComponent,
ManageUnusedDiskDialogComponent,
ZfsHealthCardComponent,
UnusedDiskCardComponent,
@@ -122,7 +113,6 @@ import { ZfsHealthCardComponent } from './components/dashboard-pool/zfs-health-c
ExportDisconnectModalComponent,
DiskHealthCardComponent,
AutotrimDialogComponent,
- RepeatVdevDialogComponent,
PoolCardIconComponent,
],
providers: [
diff --git a/src/app/pages/storage/storage.routing.ts b/src/app/pages/storage/storage.routing.ts
index e7225877174..9d2142ca93c 100644
--- a/src/app/pages/storage/storage.routing.ts
+++ b/src/app/pages/storage/storage.routing.ts
@@ -3,7 +3,6 @@ import { RouterModule, Routes } from '@angular/router';
import { marker as T } from '@biesbjerg/ngx-translate-extract-marker';
import { PoolsDashboardComponent } from 'app/pages/storage/components/pools-dashboard/pools-dashboard.component';
import { AddVdevsComponent } from 'app/pages/storage/modules/pool-manager/components/add-vdevs/add-vdevs.component';
-import { ManagerComponent } from './components/manager/manager.component';
export const routes: Routes = [
{
@@ -15,11 +14,6 @@ export const routes: Routes = [
data: { title: T('Storage Dashboard'), breadcrumb: T('Storage Dashboard') },
component: PoolsDashboardComponent,
},
- {
- path: 'create-legacy',
- component: ManagerComponent,
- data: { title: T('Create Pool (Legacy)'), breadcrumb: T('Create Pool (Legacy)') },
- },
{
path: 'create',
loadChildren: () => import('./modules/pool-manager/pool-manager.module').then((module) => module.PoolManagerModule),
@@ -40,11 +34,6 @@ export const routes: Routes = [
component: AddVdevsComponent,
data: { title: T('Add Vdevs to Pool'), breadcrumb: T('Add Vdevs to Pool') },
},
- {
- path: ':poolId/add-vdevs-legacy',
- component: ManagerComponent,
- data: { title: T('Add Vdevs to Pool (Legacy)'), breadcrumb: T('Add Vdevs to Pool (Legacy)') },
- },
{
path: 'disks',
loadChildren: () => import('./modules/disks/disks.module').then((module) => module.DisksModule),
diff --git a/src/app/services/navigation/navigation.service.ts b/src/app/services/navigation/navigation.service.ts
index 499453825f3..33c4bb5fdef 100644
--- a/src/app/services/navigation/navigation.service.ts
+++ b/src/app/services/navigation/navigation.service.ts
@@ -100,14 +100,6 @@ export class NavigationService {
state: 'apps',
isVisible$: this.hasApps$,
},
- {
- name: T('Apps (Legacy)'),
- type: MenuItemType.Link,
- tooltip: T('Apps'),
- icon: 'apps',
- state: 'apps-legacy',
- isVisible$: this.hasApps$,
- },
{
name: T('Reporting'),
type: MenuItemType.Link,
diff --git a/src/assets/i18n/af.json b/src/assets/i18n/af.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/af.json
+++ b/src/assets/i18n/af.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/ar.json b/src/assets/i18n/ar.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/ar.json
+++ b/src/assets/i18n/ar.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/ast.json b/src/assets/i18n/ast.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/ast.json
+++ b/src/assets/i18n/ast.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/az.json b/src/assets/i18n/az.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/az.json
+++ b/src/assets/i18n/az.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/be.json b/src/assets/i18n/be.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/be.json
+++ b/src/assets/i18n/be.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/bg.json b/src/assets/i18n/bg.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/bg.json
+++ b/src/assets/i18n/bg.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/bn.json b/src/assets/i18n/bn.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/bn.json
+++ b/src/assets/i18n/bn.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/br.json b/src/assets/i18n/br.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/br.json
+++ b/src/assets/i18n/br.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/bs.json b/src/assets/i18n/bs.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/bs.json
+++ b/src/assets/i18n/bs.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/ca.json b/src/assets/i18n/ca.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/ca.json
+++ b/src/assets/i18n/ca.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/cs.json b/src/assets/i18n/cs.json
index d98045eefca..0e8f9786990 100644
--- a/src/assets/i18n/cs.json
+++ b/src/assets/i18n/cs.json
@@ -63,12 +63,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -185,10 +182,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add a new bucket to your Storj account.": "",
"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.": "",
@@ -201,11 +195,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -328,7 +319,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -359,7 +349,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -431,14 +420,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back to Discover Page": "",
@@ -539,7 +526,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -764,7 +750,6 @@
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -777,7 +762,6 @@
"Create more data VDEVs like the first.": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -823,7 +807,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -869,7 +852,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1023,7 +1005,6 @@
"Do not save": "",
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain:": "",
"Domains": "",
@@ -1176,7 +1157,6 @@
"Encode information in less space than the original data occupies. It is recommended to choose a compression algorithm that balances disk performance with the amount of saved space.
LZ4 is generally recommended as it maximizes performance and dynamically identifies the best files to compress.
GZIP options range from 1 for least compression, best performance, through 9 for maximum compression with greatest performance impact.
ZLE is a fast algorithm that only eliminates runs of zeroes.": "",
"Encrypted Datasets": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
"Encryption Options": "",
@@ -1287,7 +1267,6 @@
"Exclude specific child datasets from the snapshot. Use with recursive snapshots. List paths to any child datasets to exclude. Example: pool1/dataset1/child1. A recursive snapshot of pool1/dataset1 will include all child datasets except child1. Separate entries by pressing Enter
.": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1303,7 +1282,6 @@
"Export ZFS snapshots as Shadow Copies for VSS clients.": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1347,8 +1325,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1546,9 +1522,6 @@
"If the destination system has snapshots but they do not have any data in common with the source snapshots, destroy all destination snapshots and do a full replication. Warning: enabling this option can cause data loss or excessive data transfer if the replication is misconfigured.": "",
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1600,7 +1573,6 @@
"Install Another Instance": "",
"Install Application": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1642,7 +1614,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items deleted": "",
"Items per page": "",
"Jan": "",
@@ -1769,7 +1740,6 @@
"Log In To Provider": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -1804,7 +1774,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -1847,7 +1816,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Transmission Unit, the largest protocol data unit that can be communicated. The largest workable MTU size varies with network interfaces and equipment. 1500 and 9000 are standard Ethernet MTU sizes. Leaving blank restores the field to the default value of 1500.": "",
@@ -1872,7 +1840,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
"MiB. Units smaller than MiB are not allowed.": "",
@@ -2001,7 +1968,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2009,7 +1975,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2127,7 +2092,6 @@
"Open TrueCommand User Interface": "",
"Operation will change permissions on path: {path}": "",
"Optional description. Portals are automatically assigned a numeric group.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
"Options cannot be loaded": "",
@@ -2283,7 +2247,6 @@
"Provisioning URI (includes Secret - Read only):": "",
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2303,9 +2266,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2380,9 +2340,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2420,7 +2377,6 @@
"Reserved space for this dataset and all children": "",
"Reset": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2450,7 +2406,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -2613,7 +2568,6 @@
"Select All": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -2841,7 +2795,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -2892,7 +2845,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -2926,7 +2878,6 @@
"Started": "",
"Starting": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3106,12 +3057,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3243,7 +3191,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3523,16 +3470,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -3560,12 +3504,8 @@
"Waiting": "",
"Waiting for Active TrueNAS controller to come up...": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -3665,9 +3605,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -3696,9 +3633,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"zle (runs of zeros)": "",
@@ -3707,7 +3642,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -3727,8 +3661,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -3787,7 +3719,6 @@
"Automatic update check failed. Please check system network settings.": "Automatická kontrola aktualizací selhala. Prosím zkontrolujte systémové nastavení sítě.",
"Auxiliary Groups": "Další skupiny",
"Auxiliary Parameters": "Další parametry",
- "Available Disks": "Disky k dispozici",
"Back": "Zpět",
"Boot Method": "Metoda zavádění systému",
"Burst": "Dávka",
@@ -3821,7 +3752,6 @@
"Country": "Země",
"Country Code": "Kód země",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.",
- "Create": "Vytvořit",
"Create Pool": "Vytvořit fond",
"Create new disk image": "Vytvořit nový obraz disku",
"Credential": "Přihlašovací údaj",
@@ -3937,7 +3867,6 @@
"Error submitting file": "Chyba při odesílání souboru",
"Error: ": "Chyba: ",
"Estimated data capacity available after extension.": "Odhadovaná datová kapacita po rozšíření.",
- "Estimated raw capacity:": "Odhadovaná holá kapacita:",
"Estimated total raw data capacity": "Odhadovaná hrubá kapacita",
"Exclude": "Vynechat",
"Exclude Child Datasets": "Vynechat podřízené datové sady",
@@ -3954,8 +3883,6 @@
"File Permissions": "Oprávnění k souborům",
"Filename Encryption": "Šifrování názvu souboru",
"Filesize": "Velikost souboru",
- "First vdev has {n} disks, new vdev has {m}": "První vdev má {n} disky, nový vdev má {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "První vdev je {vdevType}, nový vdev je {newVdevType}",
"Flags": "Příznaky",
"Flags Type": "Typ příznaků",
"Folder": "Složka",
@@ -4019,7 +3946,6 @@
"Installation Media": "Instalační médium",
"Interface Description": "Popis rozhraní",
"Interfaces": "Rozhraní",
- "Invalid regex filter": "Neplatný filtr regulárních výrazů",
"Issuer": "Vydavatel",
"Items Delete Failed": "Smazání položek se nezdařilo",
"Kerberos Realm": "Kerberos oblast",
@@ -4098,7 +4024,6 @@
"Phone": "Telefon",
"Please wait": "Čekejte",
"Pool": "Fond",
- "Pool Manager": "Správa fondů",
"Pool Status": "Stav fondu",
"Pool/Dataset": "Fond/datová sada",
"Pools": "Fondy",
@@ -4200,7 +4125,6 @@
"Storage URL - optional (rclone documentation).": "Storage URL - optional (rclone documentation).",
"Subject": "Předmět",
"Success": "Úspěch",
- "Suggest Layout": "Doporučit rozvržení",
"Support": "Podpora",
"Sync from Peer": "Synchronizovat z protějšku",
"Sync to Peer": "Synchronizovat na protějšek",
diff --git a/src/assets/i18n/cy.json b/src/assets/i18n/cy.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/cy.json
+++ b/src/assets/i18n/cy.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/da.json b/src/assets/i18n/da.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/da.json
+++ b/src/assets/i18n/da.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/de.json b/src/assets/i18n/de.json
index d3e78605ac3..99243f08268 100644
--- a/src/assets/i18n/de.json
+++ b/src/assets/i18n/de.json
@@ -63,9 +63,7 @@
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"ACL Editor": "",
@@ -155,7 +153,6 @@
"Add VDEV": "",
"Add VM Snapshot": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add a new bucket to your Storj account.": "",
"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.": "",
@@ -166,9 +163,7 @@
"Add listen": "",
"Add new": "",
"Add the required no. of disks to get a vdev size estimate": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
"Additional Domains:": "",
"Additional Kerberos application settings. See the \"appdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "",
@@ -249,7 +244,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Metadata": "",
"Application Name": "",
@@ -268,7 +262,6 @@
"Apply the same quota critical alert settings as the parent dataset.": "",
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{cert}\"?": "",
@@ -320,11 +313,9 @@
"Automated Disk Selection": "",
"Automatically populated with the original hostname of the system. This name is limited to 15 characters and cannot be the Workgroup name.": "",
"Autostart": "",
- "Available Applications": "",
"Available Apps": "",
"Available Resources": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back to Discover Page": "",
@@ -396,7 +387,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -569,7 +559,6 @@
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
- "Create Pool (Legacy)": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
"Create a new Target or choose an existing target for this share.": "",
@@ -580,7 +569,6 @@
"Create empty source dirs on destination after sync": "",
"Create more data VDEVs like the first.": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
"Cron Job": "",
@@ -646,7 +634,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default Checksum Warning": "",
"Default Route": "",
"Default TrueNAS controller": "",
@@ -754,7 +741,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain:": "",
"Domains": "",
@@ -862,7 +848,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -956,7 +941,6 @@
"Exclude specific child datasets from the snapshot. Use with recursive snapshots. List paths to any child datasets to exclude. Example: pool1/dataset1/child1. A recursive snapshot of pool1/dataset1 will include all child datasets except child1. Separate entries by pressing Enter
.": "",
"Exec": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -970,7 +954,6 @@
"Export ZFS snapshots as Shadow Copies for VSS clients.": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1015,8 +998,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1195,9 +1176,6 @@
"If the IPMI out-of-band management interface is on a different VLAN from the management network, enter the IPMI VLAN.": "",
"If the destination system has snapshots but they do not have any data in common with the source snapshots, destroy all destination snapshots and do a full replication. Warning: enabling this option can cause data loss or excessive data transfer if the replication is misconfigured.": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1253,7 +1231,6 @@
"Install Another Instance": "",
"Install Application": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1291,7 +1268,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items per page": "",
"Jan": "",
"Job {job} Completed Successfully": "",
@@ -1401,7 +1377,6 @@
"Log In To Provider": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logical Block Size": "",
@@ -1433,7 +1408,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -1466,7 +1440,6 @@
"Mathematical instruction sets that determine how plaintext is converted into ciphertext. See Advanced Encryption Standard (AES) for more details.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -1598,7 +1571,6 @@
"No Pods Found": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -1606,7 +1578,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -1717,7 +1688,6 @@
"Operation will change permissions on path: {path}": "",
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -1819,7 +1789,6 @@
"Pool": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -1858,7 +1827,6 @@
"Provide keys/passphrases manually": "",
"Provisioning Type": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Push": "",
"Quotas added": "",
@@ -1873,9 +1841,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Range High": "",
"Range Low": "",
"Raw Filesize": "",
@@ -1920,7 +1885,6 @@
"Renew Certificate Days Before Expiry": "",
"Renew Secret": "",
"Reorder": "",
- "Repeat first Vdev": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
"Replacing Boot Pool Disk": "",
"Replacing disk {name}": "",
@@ -1964,7 +1928,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Review": "",
@@ -2079,7 +2042,6 @@
"Select UEFI for newer operating systems or UEFI-CSM (Compatibility Support Mode) for older operating systems that only support BIOS booting. Grub is not recommended but can be used when the other options do not work.": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a preset ACL": "",
@@ -2197,7 +2159,6 @@
"Show QR": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -2275,7 +2236,6 @@
"Started": "",
"Starting": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -2327,7 +2287,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sunday": "",
@@ -2429,12 +2388,9 @@
"The file used to manually update the system. Browse to the update file stored on the system logged into the web interface to upload and apply. Update file names end with -manual-update-unsigned.tar": "",
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The length of {field} should be at least {minLength}": "",
"The length of {field} should be no more than {maxLength}": "",
@@ -2541,7 +2497,6 @@
"This process continues in the background after closing this dialog.": "",
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -2763,14 +2718,11 @@
"Verify": "",
"Verify Email Address": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -2793,12 +2745,8 @@
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
"Waiting": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"WebDAV Service": "",
@@ -2880,9 +2828,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
"form instead": "",
@@ -2908,9 +2853,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"vdev": "",
"zle (runs of zeros)": "",
"zstd (default level, 3)": "",
@@ -2918,7 +2861,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -2938,8 +2880,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -2977,7 +2917,6 @@
"Yes: Disables the Password fields and removes the password from the account. The account cannot use password-based logins for services. For example, disabling the password prevents using account credentials to log in to an SMB share or open an SSH session on the system. The Lock User and Permit Sudo options are also removed.
No: Requires adding a Password to the account. The account can use the saved Password to authenticate with password-based services.": "Ja: Deaktiviert die Felder Passwort und entfernt das Kennwort aus dem Konto. Das Konto kann keine kennwortbasierten Anmeldungen für Dienste verwenden. Durch Deaktivieren des Kennworts wird beispielsweise verhindert, dass Kontoanmeldeinformationen verwendet werden, um sich bei einer SMB-Freigabe anzumelden oder eine SSH-Sitzung auf dem System zu öffnen. Die Optionen Benutzer sperren> und Sudo zulassen werden ebenfalls entfernt.
Nein: Erfordert das Hinzufügen eines Passwort auf das Konto. Das Konto kann das gespeicherte Passwort verwenden, um sich bei passwortbasierten Diensten zu authentifizieren.",
"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!": "Das Einschließen des Password Secret Seed ermöglicht die Verwendung dieser Konfigurationsdatei mit einem neuen Boot-Gerät. Dadurch werden auch alle Systemkennwörter für die Wiederverwendung entschlüsselt, wenn die Konfigurationsdatei hochgeladen wird.
Bewahren Sie die Konfigurationsdatei sicher auf und schützen Sie sie vor unbefugtem Zugriff!",
"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 pool with this name already exists.": "Ein Pool mit diesem Namen existiert bereits.",
"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.",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "Ein Benutzername auf dem FTP Hostsystem. Der Benutzer muss bereits auf dem Host existieren.",
"ACL Entries": "ACL Einträge",
@@ -3012,14 +2951,11 @@
"Add Dataset": "Datensatz hinzufügen",
"Add Group": "Gruppe Hinzufügen",
"Add Idmap": "Idmap hinzufügen",
- "Add Vdev": "Vdev hinzufügen",
- "Add Vdevs": "Vdevs hinzufügen",
"Add Zvol": "ZVOL hinzufügen",
"Add any notes about this zvol.": "Fügen Sie Anmerkungen zu diesem Zvol hinzu.",
"Add this user to additional groups.": "Füge diesem Nutzer zu weiteren Gruppen hinzu.",
"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.": "Hinzugefügte Datenträger werden gelöscht, dann wird der Pool auf die neuen Datenträger mit der gewählten Topologie erweitert. Vorhandene Daten über den Pool werden intakt gehalten.",
"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 Data VDevs to Create": "Zusätzliche zu erstellende Daten-VDEVs",
"Additional Domains": "Zusätzliche Domains",
"Additional Hardware": "Zusätzliche Hardware",
"Address": "Adresse",
@@ -3109,7 +3045,6 @@
"Auxiliary Parameters (ups.conf)": "Hilfsparameter (ups.conf)",
"Auxiliary Parameters (upsd.conf)": "Hilfsparameter (upsd.conf)",
"Available": "Verfügbar",
- "Available Disks": "Verfügbare Datenträger",
"Available Memory:": "Verfügbarer Arbeitsspeicher:",
"Available Space": "Verfügbarer Speicher",
"Available Space Threshold (%)": "Schwelle für verfügbaren Speicherplatz (%)",
@@ -3226,7 +3161,6 @@
"Country": "Land",
"Country Code": "Ländercode",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.",
- "Create": "Erstelle",
"Create ACME Certificate": "ACME Zertifikat erstellen",
"Create Pool": "Pool erstellen",
"Create Snapshot": "Snapshot erstellen",
@@ -3251,7 +3185,6 @@
"Data": "Daten",
"Data Encipherment": "Datenverschlüsselung",
"Data Quota": "Datenkontingent",
- "Data VDevs": "Daten -VDEVs",
"Data not available": "Keine Daten verfügbar",
"Database": "Datenbank",
"Dataset": "Datensatz",
@@ -3478,7 +3411,6 @@
"Error: ": "Fehler: ",
"Errors": "Fehler",
"Estimated data capacity available after extension.": "Geschätzte Datenkapazität nach Erweiterung verfügbar.",
- "Estimated raw capacity:": "Geschätzte Rohkapazität:",
"Estimated total raw data capacity": "Geschätzte Gesamtkapazität der Rohdaten",
"Excellent effort": "Hervorragende Leistung",
"Exclude": "Ausschließe",
@@ -3498,8 +3430,6 @@
"Filename Encryption": "Dateinamenverschlüsselung",
"Filesize": "Dateigröße",
"Finished": "Abgeschlossen",
- "First vdev has {n} disks, new vdev has {m}": "Das erste VDEV hat {n} Datenträger, neue vdev hat {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "Das erste VDEV ist ein {vdevType}, das neue vdev ist {newVdevType}",
"Follow symlinks and copy the items to which they link.": "Folgen Sie den Symlinks und kopieren Sie die Elemente, mit denen sie verknüpft sind.",
"Force Delete?": "Löschen erzwingen?",
"Free": "Frei",
@@ -3581,7 +3511,6 @@
"Interfaces": "Schnittstellen",
"Internal identifier for the authenticator.": "Interne Kennung für den Authentifikator.",
"Invalid IP address": "Ungültige IP-Adresse",
- "Invalid regex filter": "Ungültiger Regex-Filter",
"Issuer": "Aussteller",
"Items Delete Failed": "Löschen von Elementen fehlgeschlagen",
"Items deleted": "Elemente gelöscht",
@@ -3646,7 +3575,6 @@
"Memory Reports": "Speicherberichte",
"Memory Size": "Arbeitsspeichergröße",
"Metadata": "Metadaten",
- "Metadata VDev": "Metadaten VDev",
"Method": "Methode",
"Metrics": "Metriken",
"Minutes": "Minuten",
@@ -3800,8 +3728,6 @@
"Renew": "Erneuern",
"Renew Certificate Days": "Zertifikatstage erneuern",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "Wenn Sie das Secret erneuern, wird ein neuer URI und ein neuer QR-Code generiert, sodass Sie Ihr Zwei-Faktor-Gerät oder Ihre App aktualisieren müssen.",
- "Repeat Data VDev": "Wiederholungsdaten VDev",
- "Repeat Vdev": "Wiederholen Sie Vdev",
"Replace": "Ersetzen",
"Replace Disk": "Datenträger ersetzen",
"Replacing Disk": "Ersetze Datenträger",
@@ -3822,7 +3748,6 @@
"Reserved space for this dataset and all children": "Reservierter Speicherplatz für dieses Dataset",
"Reset Config": "Konfig zurücksetzen",
"Reset Configuration": "Zurücksetzen der Konfiguration",
- "Reset Layout": "Zurücksetzen des Layouts",
"Reset system configuration to default settings. The system will restart to complete this operation. You will be required to reset your password.": "Setzen Sie die Systemkonfiguration auf die Standardeinstellungen zurück. Das System wird neu gestartet, um diesen Vorgang abzuschließen. Sie müssen Ihr Passwort zurücksetzen.",
"Reset to Defaults": "Zurücksetzen auf Standardeinstellungen",
"Resilver Priority": "Resilver-Priorität",
@@ -4049,7 +3974,6 @@
"Snapshot Retention Policy": "Richtlinie zur Aufbewahrung von Schnappschüssen",
"Source": "Quelle",
"Spaces are allowed.": "Leerzeichen sind erlaubt.",
- "Spare VDev": "Ersatz-VDEV",
"Specify the PCI device to pass thru (bus#/slot#/fcn#).": "Specify the PCI device to pass thru (bus\\#/slot\\#/fcn\\#).",
"Specify the size of the new zvol.": "Geben Sie die Größe des neuen ZVOL an.",
"Start on Boot": "Beim Booten starten",
diff --git a/src/assets/i18n/dsb.json b/src/assets/i18n/dsb.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/dsb.json
+++ b/src/assets/i18n/dsb.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/el.json b/src/assets/i18n/el.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/el.json
+++ b/src/assets/i18n/el.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/en-au.json b/src/assets/i18n/en-au.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/en-au.json
+++ b/src/assets/i18n/en-au.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/en-gb.json b/src/assets/i18n/en-gb.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/en-gb.json
+++ b/src/assets/i18n/en-gb.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/en.json b/src/assets/i18n/en.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/en.json
+++ b/src/assets/i18n/en.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/eo.json b/src/assets/i18n/eo.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/eo.json
+++ b/src/assets/i18n/eo.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/es-ar.json b/src/assets/i18n/es-ar.json
index 9ab5684e1a5..f6b862777a1 100644
--- a/src/assets/i18n/es-ar.json
+++ b/src/assets/i18n/es-ar.json
@@ -35,9 +35,7 @@
"{disk} has been detached.": "",
"Currently following GPU(s) have been isolated:
{gpus}
": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"ACL Types & ACL Modes": "",
"ACME DNS-Authenticators": "",
"API Key Actions": "",
@@ -65,7 +63,6 @@
"Add VDEV": "",
"Add VM Snapshot": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add a new bucket to your Storj account.": "",
"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.": "",
"Add bucket": "",
@@ -73,7 +70,6 @@
"Add new": "",
"Add the required no. of disks to get a vdev size estimate": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional Kerberos application settings. See the \"appdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "",
"Additional Kerberos library settings. See the \"libdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "",
"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.": "",
@@ -116,7 +112,6 @@
"Applications you install will automatically appear here. Click below and browse available apps to get started.": "",
"Applied Dataset Quota": "",
"Apply Owner": "",
- "Apps (Legacy)": "",
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{cert}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -149,7 +144,6 @@
"Automated Disk Selection": "",
"Available Apps": "",
"Available Resources": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Back to Discover Page": "",
"Back up the encryption key now! If the key is lost, the data on the disks will also be lost with no hope of recovery. Click Download Encryption Key to begin the download. This type of encryption is for users storing sensitive data. iXsystems, Inc. cannot be held responsible for any lost or unrecoverable data as a consequence of using this feature.": "",
@@ -239,12 +233,10 @@
"Copied to clipboard": "",
"Core #": "",
"Create Home Directory": "",
- "Create Pool (Legacy)": "",
"Create a new home directory for user within the selected path.": "",
"Create a recommended formation of VDEVs in a pool.": "",
"Create empty source dirs on destination after sync": "",
"Create more data VDEVs like the first.": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Cron Job": "",
"Cron Jobs": "",
"Cron job created": "",
@@ -277,7 +269,6 @@
"De-duplication tables are stored on this special VDEV type. These VDEVs must be sized to X GiB for each X TiB of general storage.": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Define a length of time to retain the snapshot on this system. After the time expires, the snapshot is removed. Snapshots which have been replicated to other systems are not affected.": "",
"Define a number of minutes for smartd to wake up and check if any tests are configured to run.": "",
"Degraded": "",
@@ -326,7 +317,6 @@
"Do not enable ALUA on TrueNAS unless it is also supported by and enabled on the client computers. ALUA only works when enabled on both the client and server.": "",
"Do not save": "",
"Do you want to configure the ACL?": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domains": "",
"Don't Allow": "",
@@ -403,13 +393,11 @@
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Export All Keys": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Extend session": "",
"Failed S.M.A.R.T. Tests": "",
"Faulted": "",
@@ -494,9 +482,6 @@
"If checked, disks of the selected size or larger will be used. If unchecked, only disks of the selected size will be used.": "",
"If downloading a file returns the error \"This file has been identified as malware or spam and cannot be downloaded\" with the error code \"cannotDownloadAbusiveFile\" then enable this flag to indicate you acknowledge the risks of downloading the file and TrueNAS will download it anyway.": "",
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Import CA": "",
@@ -526,7 +511,6 @@
"Install Another Instance": "",
"Install Application": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -553,7 +537,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items per page": "",
"Job {job} Completed Successfully": "",
"Jobs": "",
@@ -641,7 +624,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -666,7 +648,6 @@
"Matching naming schema": "",
"Matching regular expression": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum number of replication tasks being executed simultaneously.": "",
@@ -738,14 +719,12 @@
"No Pods Found": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -814,7 +793,6 @@
"Open Settings": "",
"Open Ticket": "",
"Operation will change permissions on path: {path}": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
"Options cannot be loaded": "",
@@ -909,9 +887,6 @@
"REAR": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Raw Filesize": "",
"Re-Open": "",
"Read ACL": "",
@@ -937,7 +912,6 @@
"Renew 2FA Secret": "",
"Renew 2FA secret": "",
"Renew Certificate Days Before Expiry": "",
- "Repeat first Vdev": "",
"Replacing Boot Pool Disk": "",
"Replacing disk {name}": "",
"Replicate «{name}» now?": "",
@@ -975,7 +949,6 @@
"Restrict share visibility to users with read or write access to the share. See the smb.conf manual page.": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Review": "",
"Revoking this CA will revoke the complete CA chain. This is a one way action and cannot be reversed. Are you sure you want to revoke this CA?": "",
"Roles": "",
@@ -1054,7 +1027,6 @@
"Select Bug when reporting an issue or Suggestion when requesting new functionality.": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select action": "",
@@ -1113,7 +1085,6 @@
"Show Events": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -1160,7 +1131,6 @@
"Start session time": "",
"Start {service} Service": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static Routes": "",
"Static route added": "",
"Static route deleted": "",
@@ -1241,12 +1211,9 @@
"The domain for local users is the NetBIOS name of the TrueNAS server.": "",
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The length of {field} should be at least {minLength}": "",
"The length of {field} should be no more than {maxLength}": "",
@@ -1303,7 +1270,6 @@
"This operation might take a long time. It cannot be aborted once started. Proceed?": "",
"This option controls how metadata and alternate data streams read write to disks. Only enable this when the share configuration was migrated from the deprecated Apple Filing Protocol (AFP). Do not attempt to force a previous AFP share to behave like a pure SMB share or file corruption can occur.": "",
"This share is configured through TrueCommand": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
"Thread responsible for syncing db transactions not running on this node.": "",
@@ -1449,14 +1415,11 @@
"Vdevs spans enclosure": "",
"Vendor ID": "",
"Verbose Logging": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -1475,11 +1438,7 @@
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
"Waiting": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"WebDAV Service": "",
@@ -1542,9 +1501,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
"form instead": "",
@@ -1562,10 +1518,8 @@
"pbkdf2iters": "",
"pigz (all rounder)": "",
"plzip (best compression)": "",
- "total": "",
"vdev": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -1585,8 +1539,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -1651,7 +1603,6 @@
"Dataset: ": "Conjunto de datos: ",
"A User Access Token for Box. An access token enables Box to verify a request belongs to an authorized session. Example token: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.": "Un token de acceso de usuario para Box. Un token de acceso permite a Box verificar que una solicitud pertenece a una sesión autorizada. Token de ejemplo: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "Se ha enviado un mensaje con instrucciones de verificación a la nueva dirección de correo electrónico. Verifique la dirección de correo electrónico antes de continuar.",
- "A pool with this name already exists.": "Ya existe un Pool con este nombre.",
"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.": "Un único límite de ancho de banda o calendario de límite de ancho de banda en formato rclone. Separe las entradas presionando Enter
. Ejemplo: 08:00,512 12:00,10MB 13:00,512 18:00,30MB 23:00,apagado. Las unidades se pueden especificar con la letra inicial: b, k (predeterminado), M o G. Consulte rclone --bwlimit.",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "Un tamaño de bloque más pequeño puede reducir el rendimiento de E/S secuencial y la eficiencia de espacio.",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "Una actualización del sistema está en progreso. Podría haber sido lanzado en otra ventana o por una fuente externa como TrueCommand.",
@@ -1749,8 +1700,6 @@
"Add Unix (NFS) Share": "Añadir recurso compartido Unix (NFS)",
"Add User": "Añadir usuario",
"Add User Quotas": "Agregar cuotas de usuario",
- "Add Vdev": "Añadir Vdev",
- "Add Vdevs": "Añadir Vdevs",
"Add Windows (SMB) Share": "Agregar recurso compartido de Windows (SMB)",
"Add Zvol": "Añadir Zvol",
"Add any notes about this zvol.": "Agregue cualquier nota sobre este zvol.",
@@ -1759,10 +1708,8 @@
"Add listen": "Añadir escuchar",
"Add this user to additional groups.": "Agregar este usuario a grupos adicionales.",
"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.": "Los discos agregados se borran, luego el grupo se extiende a los nuevos discos con la topología elegida. Los datos existentes en el grupo se mantienen intactos.",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "¡Agregar Vdevs a un grupo encriptado restablece la contraseña y la clave de recuperación!",
"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) opciones adicionales para incluir. Separe las entradas presionando Enter
.
Nota: El carácter \"*\" debe escaparse con una barra diagonal inversa (\\\\*.txt) o usarse dentro de comillas simples ('*.txt').",
"Additional smartctl(8) options.": "Opciones adicionales de smartctl(8).",
- "Additional Data VDevs to Create": "Datos adicionales VDevs para crear",
"Additional Domains": "Dominios Adicionales",
"Additional Domains:": "Dominios adicionales:",
"Additional Hardware": "Hardware adicional",
@@ -1856,7 +1803,6 @@
"Appdefaults Auxiliary Parameters": "Parámetros auxiliares de Appdefaults",
"Append @realm to cn in LDAP queries for both groups and users when User CN is set).": "Agregue @realm a can en consultas LDAP tanto para grupos como para usuarios cuando se establece el CN de usuario).",
"Append Data": "Agregar datos",
- "Application Events": "Eventos de aplicación",
"Application Key": "Clave de la aplicación",
"Application Name": "Nombre de aplicación",
"Applications are not running": "Las aplicaciones no se están ejecutando",
@@ -1929,8 +1875,6 @@
"Auxiliary Parameters (ups.conf)": "Parámetros auxiliares (ups.conf)",
"Auxiliary Parameters (upsd.conf)": "Parámetros auxiliares (upsd.conf)",
"Available": "Disponible",
- "Available Applications": "Aplicaciones disponibles",
- "Available Disks": "Discos disponibles",
"Available Memory:": "Memoria disponible:",
"Available Space": "Espacio disponible",
"Available Space Threshold (%)": "Umbral de espacio disponible (%)",
@@ -2009,7 +1953,6 @@
"CRL Sign": "Signo de CRL",
"CSR exists on this system": "CSR existe en este sistema",
"Cache": "Caché",
- "Cache VDev": "Caché de VDev",
"Caches": "Cachés",
"Cancel": "Cancelar",
"Cancel any pending Key synchronization.": "Cancele cualquier sincronización de clave pendiente.",
@@ -2200,7 +2143,6 @@
"Country": "País",
"Country Code": "Código de país",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "El código de país debe contener un Código ISO 3166-1 alpha-2 válido de Dos letras mayúsculas.",
- "Create": "Crear",
"Create ACME Certificate": "Crear certificado ACME",
"Create Boot Environment": "Crear entorno de arranque",
"Create New": "Crear Nuevo",
@@ -2250,7 +2192,6 @@
"Data Encipherment": "Cifrado de datos",
"Data Protection": "Protección de datos",
"Data Quota": "Cuota de datos",
- "Data VDevs": "Datos VDevs",
"Data not available": "Datos no disponibles",
"Data not provided": "Datos no proporcionados",
"Data transfer security. The connection is authenticated with SSH. Data can be encrypted during transfer for security or left unencrypted to maximize transfer speed. Encryption is recommended, but can be disabled for increased speed on secure networks.": "Seguridad de transferencia de datos. La conexión se autentica con SSH. Los datos se pueden cifrar durante la transferencia por seguridad o no se cifran para maximizar la velocidad de transferencia. Se recomienda el cifrado, pero se puede deshabilitar para aumentar la velocidad en redes seguras.",
@@ -2551,7 +2492,6 @@
"Encrypted Datasets": "Conjuntos de datos encriptados",
"Encryption": "Encriptación",
"Encryption (more secure, but slower)": "Cifrado (más seguro, pero más lento)",
- "Encryption Algorithm": "Algoritmo de cifrado",
"Encryption Key": "Clave de encriptación",
"Encryption Key Format": "Formato de clave de cifrado",
"Encryption Key Location in Target System": "Ubicación de la clave de cifrado en el sistema de destino",
@@ -2675,7 +2615,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "Establecer una conexión requiere que uno de los sistemas de conexión tenga puertos TCP abiertos. Elija qué sistema (LOCAL o REMOTO) abrirá los puertos. Consulte a su departamento de TI para determinar qué sistemas pueden abrir puertos.",
"Estimated Raw Capacity": "Capacidad bruta estimada",
"Estimated data capacity available after extension.": "Capacidad de datos estimada disponible después de la extensión.",
- "Estimated raw capacity:": "Capacidad bruta estimada:",
"Estimated total raw data capacity": "Capacidad total estimada de datos brutos",
"Excellent effort": "Excelente esfuerzo",
"Exclude": "Excluir",
@@ -2740,13 +2679,9 @@
"Filter": "Filtrar",
"Filter Groups": "Filtrar grupos",
"Filter Users": "Filtrar usuarios",
- "Filter disks by capacity": "Filtrar discos por capacidad",
- "Filter disks by name": "Filtrar discos por nombre",
"Finding Pools": "Encontrando Grupos (Pools)",
"Finding pools to import...": "Encontrar grupos para importar...",
"Finished": "Finalizado",
- "First vdev has {n} disks, new vdev has {m}": "El primer vdev tiene {n} discos, nuevo vdev tiene {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "El primer vdev es un {vdevType}, nuevo vdev es {newVdevType}",
"Fix Credential": "Credencial de arreglo",
"Flags": "Banderas",
"Flags Type": "Tipo de banderas",
@@ -2964,7 +2899,6 @@
"Invalid IP address": "Dirección IP inválida",
"Invalid file": "Archivo inválido",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "Lista de direcciones de red no válida. Compruebe si hay máscaras tipográficas o máscaras de red CIDR faltantes y direcciones separadas pulsando Enter
.",
- "Invalid regex filter": "Filtro de expresiones regulares no válido",
"Invalid value. Missing numerical value or invalid numerical value/unit.": "Valor no válido. Falta un valor numérico o un valor numérico/unidad no válido.",
"Invalid value. Valid values are numbers followed by optional unit letters, like 256k
or 1 G
or 2 MiB
.": "Valor no válido. Los valores válidos son números seguidos de letras de unidad opcionales, como 256k
o 1 G
o 2 MiB
.",
"Issuer": "Editor",
@@ -3049,7 +2983,6 @@
"Log": "Registro",
"Log Level": "Nivel de registro",
"Log Out": "Cerrar sesión",
- "Log VDev": "Registro de VDev",
"Logging Level": "Nivel de registro",
"Logical Block Size": "Tamaño del bloque lógico",
"Login Attempts": "Intentos de acceso",
@@ -3103,7 +3036,6 @@
"Message verbosity level in the replication task log.": "Nivel de verbosidad del mensaje en el registro de tareas de replicación.",
"Metadata": "Metadados",
"Metadata (Special) Small Block Size": "Metadatos (especiales) Tamaño de bloque pequeño",
- "Metadata VDev": "Metadatos VDev",
"Method": "Método",
"Metrics": "Métricas",
"MiB. Units smaller than MiB are not allowed.": "MiB. Las unidades más pequeñas que MiB no están permitidas.",
@@ -3318,7 +3250,6 @@
"Please select a tag": "Por favor, seleccione una etiqueta",
"Please wait": "Por favor espere",
"Pool Available Space Threshold (%)": "Umbral de espacio disponible del Pool (%)",
- "Pool Manager": "Administrador de Pool",
"Pool Status": "Estado de Pool",
"Pool/Dataset": "Pool/Conjunto de datos",
"Pools": "Grupos (Pools)",
@@ -3361,7 +3292,6 @@
"Provisioning URI (includes Secret - Read only):": "URI de aprovisionamiento (incluye secreto: solo lectura):",
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "Dirección IP pública o nombre de host. Establezca si los clientes FTP no pueden conectarse a través de un dispositivo NAT.",
"Public Key": "Clave pública",
- "Pull Image": "Obtener imagen",
"Pulling...": "Obteniendo...",
"Purpose": "Propósito",
"Push": "Empujar",
@@ -3430,8 +3360,6 @@
"Renew Secret": "Renovar secreto",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "Renovar el secreto hará que se genere un nuevo URI y un nuevo código QR, por lo que será necesario actualizar su dispositivo o aplicación de dos factores.",
"Reorder": "Reordenar",
- "Repeat Data VDev": "Repetir datos VDev",
- "Repeat Vdev": "Repite Vdev",
"Replace": "Reemplazar",
"Replace Disk": "Reemplazar disco",
"Replace existing dataset properties with these new defined properties in the replicated files.": "Reemplace las propiedades del conjunto de datos existente con estas nuevas propiedades definidas en los archivos replicados.",
@@ -3455,7 +3383,6 @@
"Reset": "Reestablecer",
"Reset Config": "Restablecer Config",
"Reset Configuration": "Restablecer configuración",
- "Reset Layout": "Restablecer diseño",
"Reset system configuration to default settings. The system will restart to complete this operation. You will be required to reset your password.": "Restablezca la configuración del sistema a la configuración predeterminada. El sistema se reiniciará para completar esta operación. Deberá restablecer su contraseña.",
"Reset the token": "Restablecer el token",
"Reset to Defaults": "Restablecer los valores predeterminados",
@@ -3796,7 +3723,6 @@
"Space-delimited list of allowed IP addresses (192.168.1.10) or hostnames (www.freenas.com). Leave empty to allow all.": "Lista delimitada por espacios de direcciones IP permitidas (192.168.1.10) o nombres de host (www.freenas.com) . Dejar en blanco para permitir todo.",
"Space-delimited list of allowed networks in network/mask CIDR notation. Example: 1.2.3.0/24. Leave empty to allow all.": "Lista delimitada por espacios de redes permitidas en notación CIDR de red / máscara. Ejemplo: 1.2.3.0/24 . Dejar en blanco para permitir todo.",
"Spaces are allowed.": "Se permiten espacios.",
- "Spare VDev": "VDev de repuesto",
"Spares": "Repuestos",
"Sparse": "Escaso",
"Specifies the auxiliary directory service ID provider.": "Especifica el proveedor de ID de servicio de directorio auxiliar.",
@@ -3848,7 +3774,6 @@
"Subnet mask of the IPv4 address.": "Máscara de subred de la dirección IPv4.",
"Success": "Éxito",
"Successfully saved proactive support settings.": "Configuración de soporte proactiva guardada con éxito.",
- "Suggest Layout": "Sugerir diseño",
"Suggestion": "Sugerencia",
"Summary": "Resumen",
"Sun": "Domingo",
@@ -4253,7 +4178,6 @@
"overview": "visión general",
"rpc.lockd(8) bind port": "puerto de enlace rpc.lockd(8)",
"rpc.statd(8) bind port": "puerto de enlace rpc.statd(8)",
- "selected": "seleccionado",
"threads": "hilos",
"total available": "total disponible",
"was successfully attached.": "fue adjuntado con éxito.",
diff --git a/src/assets/i18n/es-co.json b/src/assets/i18n/es-co.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/es-co.json
+++ b/src/assets/i18n/es-co.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/es-mx.json b/src/assets/i18n/es-mx.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/es-mx.json
+++ b/src/assets/i18n/es-mx.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/es-ni.json b/src/assets/i18n/es-ni.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/es-ni.json
+++ b/src/assets/i18n/es-ni.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/es-ve.json b/src/assets/i18n/es-ve.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/es-ve.json
+++ b/src/assets/i18n/es-ve.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/es.json b/src/assets/i18n/es.json
index d149e2adc87..50a61c171ff 100644
--- a/src/assets/i18n/es.json
+++ b/src/assets/i18n/es.json
@@ -76,12 +76,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -189,10 +186,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add a new bucket to your Storj account.": "",
"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.": "",
@@ -206,11 +200,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -331,7 +322,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -358,7 +348,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{cert}\"?": "",
@@ -424,12 +413,10 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
"Available Resources": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back to Discover Page": "",
@@ -528,7 +515,6 @@
"CSR exists on this system": "",
"CSRs": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -741,7 +727,6 @@
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
- "Create Pool (Legacy)": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
"Create a new Target or choose an existing target for this share.": "",
@@ -753,7 +738,6 @@
"Create more data VDEVs like the first.": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
"Critical": "",
@@ -798,7 +782,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -839,7 +822,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -994,7 +976,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain Account Name": "",
"Domain Account Password": "",
@@ -1161,7 +1142,6 @@
"Encode information in less space than the original data occupies. It is recommended to choose a compression algorithm that balances disk performance with the amount of saved space.
LZ4 is generally recommended as it maximizes performance and dynamically identifies the best files to compress.
GZIP options range from 1 for least compression, best performance, through 9 for maximum compression with greatest performance impact.
ZLE is a fast algorithm that only eliminates runs of zeroes.": "",
"Encrypted Datasets": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1322,7 +1302,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1334,7 +1313,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1354,7 +1332,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1405,8 +1382,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1633,9 +1608,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1697,7 +1669,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1726,7 +1697,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1743,7 +1713,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -1887,7 +1856,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -1928,7 +1896,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -1971,7 +1938,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -1997,7 +1963,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
"MiB. Units smaller than MiB are not allowed.": "",
@@ -2126,7 +2091,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2134,7 +2098,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2257,7 +2220,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2373,7 +2335,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2445,7 +2406,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2468,9 +2428,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2547,9 +2504,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2593,7 +2547,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2626,7 +2579,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -2792,7 +2744,6 @@
"Select Configuration File": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3039,7 +2990,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3099,7 +3049,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3134,7 +3083,6 @@
"Started": "",
"Starting": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3193,7 +3141,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3323,12 +3270,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3460,7 +3404,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3735,16 +3678,13 @@
"Verify Credential": "",
"Verify Email Address": "",
"Verify certificate authenticity.": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -3773,12 +3713,8 @@
"Waiting": "",
"Waiting for Active TrueNAS controller to come up...": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -3883,9 +3819,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -3915,9 +3848,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -3927,7 +3858,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -3947,8 +3877,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -4014,7 +3942,6 @@
"Autoconfigure IPv6": "Autoconfigurar IPv6",
"Autostart": "Autoiniciar",
"Auxiliary Parameters": "Parametros auxiliares",
- "Available Disks": "Discos disponibles",
"Available Memory:": "Memoria disponible",
"Available Space": "Espacio disponible",
"Back": "Volver",
@@ -4064,7 +3991,6 @@
"Country": "País",
"Country Code": "Código de País",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.",
- "Create": "Crear",
"Create Pool": "Crear volumen",
"Create Snapshot": "Crear Instantánea",
"Create new disk image": "Crear nueva imagen de disco",
@@ -4116,8 +4042,6 @@
"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.",
"Extend": "Extender",
- "First vdev has {n} disks, new vdev has {m}": "El primer vdev tiene {n} disco, el nuevo vdev tiene {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "El primer vdev es un {vdevType}, el nuevo vdev es {newVdevType}",
"Folder": "Carpeta",
"Force": "Forzar",
"Free": "Libre",
diff --git a/src/assets/i18n/et.json b/src/assets/i18n/et.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/et.json
+++ b/src/assets/i18n/et.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/eu.json b/src/assets/i18n/eu.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/eu.json
+++ b/src/assets/i18n/eu.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/fa.json b/src/assets/i18n/fa.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/fa.json
+++ b/src/assets/i18n/fa.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/fi.json b/src/assets/i18n/fi.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/fi.json
+++ b/src/assets/i18n/fi.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/fr.json b/src/assets/i18n/fr.json
index 1912522d856..f5361e299c4 100644
--- a/src/assets/i18n/fr.json
+++ b/src/assets/i18n/fr.json
@@ -8,12 +8,10 @@
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
"ACL Types & ACL Modes": "",
"Active: TrueNAS Controller {id}": "",
- "Add Vdevs to Pool (Legacy)": "",
"Adding data VDEVs of different types is not supported.": "",
"Agree": "",
"Alternatively, you can start by configuring VDEVs in the wizard first and then opening Manual selection to make adjustments.": "",
"Applications allow you to extend the functionality of the TrueNAS server beyond traditional Network Attached Storage (NAS) workloads, and as such are not covered by iXsystems software support contracts unless explicitly stated. Defective or malicious applications can lead to data loss or exposure, as well possible disruptions of core NAS functionality.\n\n iXsystems makes no warranty of any kind as to the suitability or safety of using applications. Bug reports in which applications are accessing the same data and filesystem paths as core NAS sharing functionality may be closed without further investigation.": "",
- "Apps (Legacy)": "",
"Are you sure you want to delete cronjob \"{name}\"?": "",
"Are you sure you want to delete static route \"{name}\"?": "",
"Are you sure you want to delete this snapshot?": "",
@@ -28,7 +26,6 @@
"Cluster Stopped": "",
"Config-Reset": "",
"Confirmation": "",
- "Create Pool (Legacy)": "",
"Create a recommended formation of VDEVs in a pool.": "",
"Create more data VDEVs like the first.": "",
"Cronjob deleted": "",
@@ -46,7 +43,6 @@
"Enter a password for the virtual machine.": "",
"Enter a unique name for the dataset. The dataset name length is calculated by adding the length of this field's value and the length of the parent path field value. The length of 'Parent Path' and 'Name' added together cannot exceed 200 characters. Because of this length validation on this field accounts for the parent path as well. Furthermore, the maximum nested directory levels allowed is 50. You can't create a dataset that's at the 51st level in the directory hierarchy after you account for the nested levels in the parent path.": "",
"Error In Cluster": "",
- "Existing Pool (Legacy)": "",
"Filesystem": "",
"Flash Identify Light": "",
"FreeBSD": "",
@@ -118,9 +114,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"form instead": "",
"never ran": "",
"{catalog} Catalog": "",
@@ -210,11 +203,8 @@
"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.": "Un jeton d'accès utilisateur pour Box. Un jeton d'accès permet à Box de vérifier qu'une requête appartient à une session autorisée. Exemple de jeton : T9cE5asGnuyYCCqIZFoWjFoWjFHvNbvvqVqHjl.",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "Un message avec instructions de vérification a été envoyé à la nouvelle adresse e-mail. Veuillez vérifier l’adresse e-mail avant de continuer.",
- "A pool with this name already exists.": "Un volume avec ce nom existe déjà.",
"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.": "Une seule limite de bande passante ou une seule planification de limite de bande passante au format rclone. Séparez les entrées en appuyant sur la touche Entrée
. Exemple : 08:00,512 12:00,10MB 13:00,512 18:00,30MB 23:00,off. Les unités peuvent être spécifiées avec la lettre de début : b, k (par défaut), M, ou G. Voir rclone --bwlimit.",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "Une taille de bloc plus petite peut réduire les performances séquentielles en matière d’e/s et l’efficacité de l’espace.",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "Un vdev de stripe log peut entraîner une perte de données s'il échoue en combinaison avec une panne de courant.",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "Un vdev stripe {vdevType} est fortement déconseillé et entraînera une perte de données en cas d'échec",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "Une mise à jour du système est en cours. Elle peut avoir été lancée dans une autre fenêtre ou par une source externe comme TrueCommand.",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "Un nom unique pour identifier cette paire de clés. Les paires de clés générées automatiquement sont nommées d'après l'objet qui a généré la paire de clés avec \" Key \" ajouté au nom.",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "Un nom d'utilisateur sur le système hôte FTP. Cet utilisateur doit déjà exister sur l'hôte FTP.",
@@ -334,8 +324,6 @@
"Add User Quotas": "Ajouter des quotas d'utilisateur",
"Add VDEV": "Ajouter un VDEV",
"Add VM Snapshot": "Ajouter un instantané de VM",
- "Add Vdev": "Ajouter Vdev",
- "Add Vdevs": "Ajouter Vdevs",
"Add Vdevs to Pool": "Ajouter des Vdev au volume",
"Add Windows (SMB) Share": "Ajouter un partage Windows (SMB)",
"Add Zvol": "Ajouter un zvol",
@@ -351,11 +339,8 @@
"Add the required no. of disks to get a vdev size estimate": "Ajoutez le nb. de disques requis pour obtenir une estimation de la taille du vdev.",
"Add this user to additional groups.": "Ajoutez cet utilisateur à des groupes supplémentaires.",
"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.": "Les disques ajoutés sont effacés, puis le volume est étendu sur les nouveaux disques avec la topologie choisie. Les données existantes sur le volume sont conservées intactes.",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "L'ajout de Vdevs à un volume chiffré réinitialise la passphrase et la clé de récupération !",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "Ajouter de larges catalogues peut prendre plusieurs minutes. Veuillez vérifier la progression dans le gestionnaire de tâches.",
"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').": "Options rsync(1) supplémentaires à inclure. Séparez les entrées en appuyant sur la touche Entrée
.
Note : Le caractère \"*\" doit être échappé par une barre oblique inversée (\\\\*.txt) ou utilisé entre guillemets simples ('*.txt').",
"Additional smartctl(8) options.": "Autres options pour smartctl(8) .",
- "Additional Data VDevs to Create": "VDev de données supplémentaires à créer",
"Additional Domains": "Domaines supplémentaires",
"Additional Domains:": "Domaines supplémentaires:",
"Additional Hardware": "Matériel supplémentaire",
@@ -482,7 +467,6 @@
"Append Data": "Ajouter des données",
"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.": "Ajoute un suffixe au chemin de connexion du partage. Cela permet de fournir des partages uniques en fonction de l'utilisateur, de l'ordinateur ou de l'adresse IP. Les suffixes peuvent contenir une macro. Voir la page manuelle smb.conf pour une liste de macros prises en charge. Le connectpath **doit** être prédéfini avant qu'un client ne se connecte.",
"Application": "Application",
- "Application Events": "Événements de l'application",
"Application Info": "Informations sur l'application",
"Application Key": "Clé de l'application",
"Application Metadata": "Métadonnées de l'application",
@@ -585,15 +569,12 @@
"Auxiliary Parameters (ups.conf)": "Paramètres auxiliaires (ups.conf)",
"Auxiliary Parameters (upsd.conf)": "Paramètres auxiliaires (upsd.conf)",
"Available": "Disponible",
- "Available Applications": "Applications disponibles",
"Available Apps": "Applications disponibles",
- "Available Disks": "Disques disponibles",
"Available Memory:": "Mémoire disponible :",
"Available Resources": "Ressources disponibles",
"Available Space": "Espace disponible",
"Available Space Threshold (%)": "Seuil d'espace disponible (%)",
"Available version:\n": "Version disponible:\n",
- "Available version: {version}": "Version disponible : {version}",
"Average Disk Temperature": "Température moyenne du disque",
"Avg Usage": "Utilisation moyenne",
"Back": "Retour",
@@ -696,7 +677,6 @@
"CSRs": "CSRs",
"Cache": "Cache",
"Cache VDEVs": "VDEVs de cache",
- "Cache VDev": "VDev de cache",
"Caches": "Caches",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "Peut être réglé à 0, laissez vide pour que TrueNAS assigne un port lorsque la VM est démarrée, ou fixez un numéro de port préféré.",
"Can not retrieve response": "Impossible de récupérer la réponse",
@@ -939,7 +919,6 @@
"Country": "Pays",
"Country Code": "Code du pays",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Le code pays doit contenir un code ISO 3166-1 alpha-2 valide de deux lettres majuscules.",
- "Create": "Créer",
"Create ACME Certificate": "Créer un certificat ACME",
"Create Boot Environment": "Créer un environnement de démarrage",
"Create Home Directory": "Créer un répertoire personnel",
@@ -957,7 +936,6 @@
"Create new disk image": "Créer une nouvelle image disque",
"Create or Choose Block Device": "Créer ou sélectionner un périphérique bloc (Block Device)",
"Create pool": "Créer un volume",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "Créer {vdevs} nouveaux vdevs de données {vdevType} en utilisant des {type}s {used} ({size}) et en laissant {remaining} de ces lecteurs inutilisés.",
"Created Date": "Date de création",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "Crée des instantanés du dataset même si aucun changement n'a été apporté au dataset depuis le dernier instantané. Recommandé pour créer des points de restauration à long terme, des tâches multiples d'instantanés pointant sur les mêmes datasets, ou pour être compatible avec les calendriers d'instantanés ou les réplications créées dans TrueNAS 11.2 et antérieurs.
Par exemple, le fait d'autoriser des instantanés vides pour un calendrier d'instantanés mensuel permet de prendre cet instantané mensuel, même lorsqu'une tâche d'instantanés quotidiens a déjà pris un instantané de toute modification du dataset.",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "La création ou l'édition d'un sysctl met immédiatement à jour la variable à la valeur configurée. Un redémarrage est nécessaire pour appliquer les paramètres du loader ou du fichier rc.conf. Les paramètres configurés restent en vigueur jusqu'à ce qu'ils soient supprimés ou désactivés.",
@@ -1005,7 +983,6 @@
"Data Protection": "Protection des données",
"Data Quota": "Quota de données",
"Data VDEVs": "VDEVs de données",
- "Data VDevs": "Données VDevs",
"Data Written": "Donnée sauvegardée",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "Les données sont identiques sur chaque disque. Un miroir nécessite au moins deux disques, fournit la plus grande redondance et a la plus petite capacité.",
"Data not available": "Données non disponibles",
@@ -1048,7 +1025,6 @@
"Decipher Only": "Déchiffrer seulement",
"Dedup": "Déduplication",
"Dedup VDEVs": "VDEVs de déduplication",
- "Dedup VDev": "VDev de déduplication",
"Default": "Défaut",
"Default ACL Options": "Options ACL par défaut",
"Default Checksum Warning": "Avertissement du checksum par défaut",
@@ -1220,7 +1196,6 @@
"Do not set this if the Serial Port is disabled.": "Ne réglez pas ce paramètre si le port série est désactivé.",
"Do you want to configure the ACL?": "Voulez-vous configurer l'ACL ?",
"Docker Host": "Docker Hôte",
- "Docker Registry Authentication": "Authentification du registre Docker",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "Votre entreprise a-t-elle besoin d'un support Enterprise level ? Contactez iXsystems pour en savoir plus informations.",
"Domain": "Domaine",
"Domain Account Name": "Nom de compte de domaine",
@@ -1398,7 +1373,6 @@
"Encrypted Datasets": "Datasets chiffrés",
"Encryption": "Chiffrement",
"Encryption (more secure, but slower)": "Chiffrement (plus sûr, mais plus lent)",
- "Encryption Algorithm": "Algorithme de chiffrement",
"Encryption Key": "Clé de chiffrement",
"Encryption Key Format": "Format de clé de chiffrement",
"Encryption Key Location in Target System": "Emplacement de la clé de chiffrement dans le système cible",
@@ -1558,7 +1532,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "L'établissement d'une connexion nécessite qu'un des systèmes de connexion dispose de ports TCP ouverts. Choisissez le système ( LOCAL ou REMOTE ) qui ouvrira les ports. Consultez votre service informatique pour déterminer les systèmes autorisés à ouvrir des ports.",
"Estimated Raw Capacity": "Capacité brute estimée",
"Estimated data capacity available after extension.": "Capacité de données estimée disponible après l'extension.",
- "Estimated raw capacity:": "Capacité brute estimée:",
"Estimated total raw data capacity": "Capacité totale estimée de données brutes",
"Everything is fine": "Tout va bien",
"Example: blob.core.usgovcloudapi.net": "Exemple: blob.core.usgovcloudapi.net",
@@ -1589,7 +1562,6 @@
"Export/Disconnect Pool": "Exporter/Déconnecter un volume",
"Export/disconnect pool: {pool}": "Exporter/déconnecter le volume: {pool}",
"Exported": "Exporté",
- "Exported Pool": "Volume exporté",
"Exporting Pool": "Exportation du volume",
"Exporting/disconnecting will continue after services have been managed.": "L’exportation/la déconnexion se poursuivra une fois que les services auront été gérés.",
"Expose zilstat via SNMP": "Exposer zilstat via SNMP",
@@ -1640,8 +1612,6 @@
"Filter Users": "Filtrer utilisateurs",
"Filter by Disk Size": "Filtrer par taille de disque",
"Filter by Disk Type": "Filtrer par type de disque",
- "Filter disks by capacity": "Filtrer les disques par capacité",
- "Filter disks by name": "Filtrer les disques par nom",
"Filter {item}": "Filtrer {élément}",
"Filters": "Filtres",
"Finding Pools": "Trouver des volumes",
@@ -1649,8 +1619,6 @@
"Finished": "Terminé",
"Finished Resilver on {date}": "Resilver terminé le {date}",
"Finished Scrub on {date}": "Scrub terminé le {date}",
- "First vdev has {n} disks, new vdev has {m}": "Le premier vdev a {n} disques, le nouveau vdev a {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "Le premier vdev est un {vdevType}, le nouveau vdev est {newVdevType}",
"Fix Credential": "Correction des informations d'identification",
"Fix database": "Fixer la base de données",
"Flags": "Drapeaux",
@@ -1880,9 +1848,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "Si {vmName} est toujours en cours d'exécution, le système d'exploitation invité n'a pas répondu comme prévu. Il est possible d'utiliser l'option Power Off ou l'option Force Stop After Timeout pour arrêter la VM.",
"Ignore Builtin": "Ignorer Builtin",
"Image ID": "ID de l’image",
- "Image Name": "Nom de l’image",
- "Image Size": "Taille de l'image",
- "Image Tag": "Tag de l'image",
"Images ( to be updated )": "Images (à mettre à jour)",
"Images not to be deleted": "Images à ne pas supprimer",
"Immediately connect to TrueCommand.": "Connectez-vous immédiatement à TrueCommand.",
@@ -1939,7 +1904,6 @@
"Install Manual Update File": "Installer le fichier de mise à jour manuelle",
"Installation Media": "Supports d'installation",
"Installed": "Installé",
- "Installed Applications": "Applications installées",
"Installed Apps": "Applications installées",
"Installed Catalogs": "Catalogues installés",
"Installer image file": "Fichier image de l'installateur",
@@ -1966,7 +1930,6 @@
"Invalid format. Expected format: =": "Format non valide. Format attendu: =",
"Invalid image": "Image invalide",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "Liste d'adresses de réseau non valable. Vérifiez s'il y a des fautes de frappe ou des masques de réseau CIDR manquants et des adresses séparées en appuyant sur la touche Entrée
.",
- "Invalid regex filter": "Filtre regex invalide",
"Invalid value. Missing numerical value or invalid numerical value/unit.": "Valeur non valable. Valeur numérique manquante ou valeur/unité numérique non valable.",
"Invalid value. Must be greater than or equal to ": "Valeur invalide. Doit être supérieur ou égal à ",
"Invalid value. Must be less than or equal to ": "Valeur invalide. Doit être inférieur ou égal à ",
@@ -1979,7 +1942,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "Il semble que vous n'ayez pas encore configuré de partage SMB. Veuillez cliquer sur le bouton ci-dessous pour ajouter un partage SMB.",
"It seems you haven't setup any {item} yet.": "Il semble que vous n'ayez pas encore configuré de {item}.",
"Item": "Élément",
- "Item Name": "Nom de l'élément",
"Items Delete Failed": "La suppression des éléments a échouée",
"Items deleted": "Eléments supprimés",
"Items per page": "objets par page",
@@ -2117,7 +2079,6 @@
"Log Out": "Déconnexion",
"Log Path": "Chemin du log",
"Log VDEVs": "Journal VDEV",
- "Log VDev": "Journal VDev",
"Log in to Gmail to set up Oauth credentials.": "Connectez-vous à Gmail pour configurer les identifiants Oauth.",
"Logged In To Jira": "Connecté à Jira",
"Logging Level": "Niveau de journalisation",
@@ -2158,7 +2119,6 @@
"Manage Datasets": "Gérer les datasets",
"Manage Devices": "Gérer les périphériques",
"Manage Disks": "Gérer les disques",
- "Manage Docker Images": "Gérer les images Docker",
"Manage Global SED Password": "Gérer le mot de passe SED global",
"Manage Group Quotas": "Gérer les quotas de groupe",
"Manage Installed Apps": "Gérer les applications installées",
@@ -2200,7 +2160,6 @@
"Mattermost username.": "Nom d'utilisateur Mattermost.",
"Max Poll": "Poll Max",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "L'imbrication maximale du dataset dans ZFS est limitée à 50. Nous sommes déjà à cette limite dans le chemin du dataset parent. Il n'est plus possible de créer de datasets imbriqués sous ce chemin.",
- "Max length allowed for pool name is 50": "La longueur maximale autorisée pour le nom du volume est de 50",
"Maximize Enclosure Dispersal": "Maximiser la dispersion de l'enceinte",
"Maximum Passive Port": "Port passif maximum",
"Maximum Transmission Unit, the largest protocol data unit that can be communicated. The largest workable MTU size varies with network interfaces and equipment. 1500 and 9000 are standard Ethernet MTU sizes. Leaving blank restores the field to the default value of 1500.": "Maximum Transmission Unit, la plus grande unité de données de protocole qui peut être communiquée. La taille de la plus grande MTU utilisable varie en fonction des interfaces et des équipements du réseau. 1500 et 9000 sont les tailles standard des MTU Ethernet. Si vous laissez le champ vide, la valeur par défaut est de 1500.",
@@ -2227,7 +2186,6 @@
"Metadata": "Métadonnées",
"Metadata (Special) Small Block Size": "Métadonnées (spéciales) Petite taille de bloc",
"Metadata VDEVs": "VDEV de métadonnées",
- "Metadata VDev": "Métadonnées VDev",
"Method": "Méthode",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "Méthode de transfert d'instantané : - SSH est pris en charge par la plupart des systèmes. Il nécessite une connexion préalablement créée dans Système > Connexions SSH.
- SSH+NETCAT utilise SSH pour établir une connexion avec le système de destination, puis utilise py-libzfs pour envoyer un flux de données non chiffré pour des vitesses de transfert plus élevées. Cela ne fonctionne que lors de la réplication vers un TrueNAS ou un autre système sur lequel py-libzfs est installé.
- LOCAL réplique efficacement les instantanés vers un autre dataset sur le même système sans utiliser le réseau.
- LEGACY utilise le moteur de réplication hérité de FreeNAS 11.2 et versions antérieures.
",
"Metrics": "Métriques",
@@ -2365,7 +2323,6 @@
"No Pools": "Aucun volume",
"No Pools Found": "Aucun volume trouvé",
"No Propagate Inherit": "Aucun héritage propagé",
- "No Recent Events": "Aucun événement récent",
"No S.M.A.R.T. test results": "Aucun résultat de test S.M.A.R.T.",
"No S.M.A.R.T. tests have been performed on this disk yet.": "Aucun test S.M.A.R.T. n'a encore été effectué sur ce disque.",
"No SMB Shares have been configured yet": "Aucun partage SMB n'a encore été configuré",
@@ -2373,7 +2330,6 @@
"No Search Results.": "Aucun résultat trouvé.",
"No Traffic": "Aucun trafic",
"No VDEVs added.": "Aucun VDEV ajouté.",
- "No Version": "Aucune version",
"No active interfaces are found": "Aucune interface active n'a été trouvée",
"No arguments are passed": "Aucun argument n'est passé",
"No containers are available.": "Aucun conteneur n'est disponible.",
@@ -2496,7 +2452,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "Description facultative. Les portails se voient automatiquement attribuer un groupe numérique.",
"Optional user-friendly name.": "Nom user-friendly en option.",
"Optional. Enter a server description.": "Facultatif. Saisissez une description du serveur.",
- "Optional. Only needed for private images.": "Optionnel. Nécessaire uniquement pour les images privées.",
"Optional: CPU Set (Examples: 0-3,8-11)": "Optionnel: CPU Set (exemples: 0-3,8-11)",
"Optional: Choose installation media image": "Facultatif : Choisir l'image du support d'installation",
"Optional: NUMA nodeset (Example: 0-1)": "Optionnel: nodeset NUMA (exemple: 0-1)",
@@ -2617,7 +2572,6 @@
"Pool Available Space Threshold (%)": "Seuil d'espace disponible dans le volume (%)",
"Pool Creation Wizard": "Assistant de création de volume",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "Les disques de la piscine ont {alerts} alertes et {smartTests} tests S.M.A.R.T. ont échoué",
- "Pool Manager": "Gestionnaire de volume",
"Pool Name": "Nom du volume",
"Pool Options for {pool}": "Options de volume pour {pool}",
"Pool Status": "État du volume",
@@ -2691,7 +2645,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "Adresse IP publique ou nom d'hôte. Définissez si les clients FTP ne peuvent pas se connecter via un périphérique NAT.",
"Public Key": "Clé publique",
"Pull": "Tirer",
- "Pull Image": "Tirer l'image",
"Pulling...": "Tirant...",
"Purpose": "Objectif",
"Push": "Pousser",
@@ -2710,9 +2663,6 @@
"REMOTE": "À DISTANCE",
"REQUIRE": "EXIGER",
"RPM": "RPM",
- "Raid-z": "Raid-z",
- "Raid-z2": "Raid-z2",
- "Raid-z3": "Raid-z3",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "Générer au hasard une clé de chiffrement pour sécuriser ce dataset. La désactivation nécessite la définition manuelle de la clé de chiffrement.
ATTENTION : la clé de chiffrement est le seul moyen de déchiffrer les informations stockées dans ce dataset. Stockez la clé de chiffrement dans un endroit sûr.",
"Range High": "Intervalle haute",
"Range Low": "Intervalle basse",
@@ -2793,9 +2743,6 @@
"Renew Secret": "Renouveler secret",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "Le renouvellement du secret entraînera la génération d'un nouvel URI et d'un nouveau code QR, ce qui rendra nécessaire la mise à jour de votre appareil ou application à deux facteurs.",
"Reorder": "Réordonner",
- "Repeat Data VDev": "Répéter les données VDev",
- "Repeat Vdev": "Répéter le Vdev",
- "Repeat first Vdev": "Répéter le premier vdev",
"Replace": "Remplacer",
"Replace Disk": "Remplacer le disque",
"Replace existing dataset properties with these new defined properties in the replicated files.": "Remplacez les propriétés du dataset existant par ces nouvelles propriétés définies dans les fichiers répliqués.",
@@ -2839,7 +2786,6 @@
"Reset": "Réinitialiser",
"Reset Config": "Réinitialiser la config",
"Reset Configuration": "Réinitialiser la configuration",
- "Reset Layout": "Réinitialiser la mise en page",
"Reset Search": "Réinitialiser la recherche",
"Reset Step": "Réinitialiser l'étape",
"Reset Zoom": "Réinitialiser le zoom",
@@ -2871,7 +2817,6 @@
"Restricted": "Restreint",
"Resume Scrub": "Reprendre le Scrub",
"Retention": "Rétention",
- "Retrieving catalog": "Récupération du catalogue",
"Return to pool list": "Retour à la liste de pool",
"Revert Changes": "Annuler les modifications",
"Revert Network Interface Changes": "Annuler les modifications de l'interface réseau",
@@ -3047,7 +2992,6 @@
"Select Disk Type": "Sélectionner le type de disque",
"Select Existing Zvol": "Sélectionner le Zvol existant",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "Sélectionnez les adresses IP à écouter pour les requêtes NFS. Laissez vide pour que NFS écoute toutes les adresses disponibles. Les adresses IP statiques doivent être configurées sur l'interface pour apparaître dans la liste.",
- "Select Image Tag": "Sélectionner l'étiquette d'image",
"Select Pool": "Sélectionner le pool",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "Sélectionnez la disposition VDEV. Il s'agit de la première étape de la configuration de vos VDEV.",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "Sélectionnez un algorithme de compression pour réduire la taille des données à répliquer. N'apparaît que lorsque SSH est sélectionné pour le type de transport.",
@@ -3301,7 +3245,6 @@
"Show Text Console without Password Prompt": "Afficher la Console sans demande de mot de passe",
"Show all available groups, including those that do not have quotas set.": "Afficher tous les groupes disponibles, y compris ceux pour lesquels aucun quota n'a été défini.",
"Show all available users, including those that do not have quotas set.": "Afficher tous les utilisateurs disponibles, y compris ceux pour lesquels aucun quota n'a été défini.",
- "Show disks with non-unique serial numbers": "Afficher les disques avec des numéros de série non uniques",
"Show extra columns": "Afficher des colonnes supplémentaires",
"Show only those users who have quotas. This is the default view.": "Afficher uniquement les utilisateurs qui ont des quotas. Il s'agit de la vue par défaut.",
"Showing extra columns in the table is useful for data filtering, but can cause performance issues.": "L'affichage de colonnes supplémentaires dans le tableau est utile pour le filtrage des données, mais peut entraîner des problèmes de performances.",
@@ -3361,7 +3304,6 @@
"Spaces are allowed.": "Des espaces sont autorisés.",
"Spare": "Pièce de rechange",
"Spare VDEVs": "VDEV de rechange",
- "Spare VDev": "VDev de spare",
"Spares": "Réserves",
"Sparse": "Peu dense",
"Special Allocation class, used to create Fusion pools. Optional VDEV type which is used to speed up metadata and small block IO.": "Classe d'allocation spéciale, utilisée pour créer des volumes fusionnés. Type de VDEV facultatif utilisé pour accélérer les métadonnées et les E/S de petits blocs.",
@@ -3396,7 +3338,6 @@
"Started": "Démarré",
"Starting": "Démarrage en cours",
"State": "État",
- "Statefulsets": "Ensembles étatiques",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "Adresses IP statiques écoutées par SMB pour se connecter. Laisser tous les paramètres par défaut non sélectionnés à l'écoute sur toutes les interfaces actives.",
"Static IPv4 address of the IPMI web interface.": "Adresse IPv4 statique de l'interface web IPMI.",
"Static Routes": "Routes statiques",
@@ -3459,7 +3400,6 @@
"Successfully saved proactive support settings.": "Sauvegarde réussie des paramètres de support proactif.",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "{n, plural, one {Paramètre} other {Paramètres}} de {n, plural, one {disque} other {disques}} ont été enregistrés avec succès.",
"Sudo Enabled": "Sudo activé",
- "Suggest Layout": "Suggérer une mise en page",
"Suggestion": "Suggestion",
"Summary": "Résumé",
"Sun": "Dim",
@@ -3597,12 +3537,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "Le système de fichiers {filesystemName} est {filesystemDescription}, mais le magasin de données {datastoreName} est {datastoreDescription}. Est-ce correct ?",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "Les modifications suivantes apportées à ce partage SMB nécessitent le redémarrage du service SMB avant de pouvoir prendre effet.",
"The following datasets cannot be unlocked.": "Les datasets suivants ne peuvent pas être déverrouillés.",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "Le ou les disques suivants font partie des volumes actuellement exportés (spécifiés à côté des noms des disques). La réutilisation de ces disques empêchera l'importation des volumes exportés attachés. Vous perdrez toutes les données de ces volume. Assurez-vous que toutes les données sensibles de ces volume sont sauvegardées avant de réutiliser/réaffecter ces disques.",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "Les disques suivants contiennent des volumes exportés.\n L'utilisation de ces disques empêchera l'importation des volumes existants.\n Vous perdrez toutes les données des disques sélectionnés.",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "Les { n, plural, one {application} other {# applications} } suivantes vont être mises à jour. Êtes-vous sûr de vouloir continuer ?",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "Les { n, plural, one {environnement de démarrage} other {# environnements de démarrage} } suivants vont être supprimés. Êtes-vous sûr de vouloir continuer ?",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "Les { n, plural, one {image Docker} other {# images Docker} } suivantes vont être supprimées. Êtes-vous sûr de vouloir continuer ?",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "Les { n, plural, one {image Docker} other {# images Docker} } suivantes vont être mises à jour. Êtes-vous sûr de vouloir continuer ?",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "{ n, plural, one {L'instantané suivant sera supprimé} other {Les # instantanés suivant seront supprimés} }. Êtes-vous sur de vouloir continuer?",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "Le nom friendly à afficher en face de l'adresse e-mail d'envoi. Exemple : Storage System 01<it@example.com>",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "Le groupe qui contrôle le dataset. Ce groupe a les mêmes autorisations que celles accordées au group@ Who. Les groupes créés manuellement ou importés à partir d'un service d'annuaire apparaissent dans le menu déroulant.",
@@ -3735,7 +3672,6 @@
"This share is configured through TrueCommand": "Ce partage est configuré via TrueCommand",
"This system cannot communicate externally.": "Ce système ne peut pas communiquer à l’extérieur.",
"This system will restart when the update completes.": "Ce système redémarrera lorsque la mise à jour sera terminée.",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "Ce type de VDEV requiert at moins {n, plural, one {# disque} other {# disques}}.",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "Cette valeur représente la taille du bloc de seuil pour inclure de petits blocs de fichiers dans la classe d’allocation spéciale. Les blocs plus petits ou égaux à cette valeur seront attribués à la classe d’allocation spéciale tandis que de plus grands blocs seront attribués à la classe régulière. Les valeurs valides sont nulles ou une puissance de deux de 512B à 1M. La taille par défaut est de 0, ce qui signifie qu’aucun petit bloc de fichiers ne sera alloué dans la classe spéciale. Avant de définir cette propriété, une classe spéciale vdev doit être ajoutée au volume. Voir zpool(8) pour plus de détails sur l’allocation spéciale",
"Thread #": "Thread #",
"Thread responsible for syncing db transactions not running on other node.": "Thread responsable de la synchronisation des transactions db qui ne s'exécutent pas sur un autre nœud.",
@@ -4042,16 +3978,13 @@
"Verify Email Address": "Vérifier l’adresse e-mail",
"Verify certificate authenticity.": "Vérifier l'authenticité du certificat.",
"Version": "Version",
- "Version Info": "Infos version",
"Version to be upgraded to": "Version à mettre à niveau",
- "Versions": "Versions",
"Video, < 100ms latency": "Vidéo, latence < 100ms",
"Video, < 10ms latency": "Vidéo, latence < 10ms",
"View All": "Voir tous",
"View All S.M.A.R.T. Tests": "Voir tous les tests S.M.A.R.T.",
"View All Scrub Tasks": "Voir toutes les tâches scrubs",
"View All Test Results": "Voir tous les résultats des tests",
- "View Catalog": "Voir la catalogue",
"View Disk Space Reports": "Afficher les rapports sur l'espace disque",
"View Enclosure": "Afficher le boîtier",
"View Logs": "Visualiser les logs",
@@ -4082,12 +4015,8 @@
"Waiting for Active TrueNAS controller to come up...": "En attendant que le contrôleur Active TrueNAS apparaisse.....",
"Warning": "Attention",
"Warning!": "Attention !",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "Attention : Il y a {n} disques USB disponibles qui ont des numéros de série non uniques. Les contrôleurs USB peuvent signaler le numéro de série du disque de manière incorrecte, rendant ces disques indiscernables les uns des autres. L'ajout de tels disques à un volume peut entraîner la perte de données.",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "Attention : Il y a {n} disques disponibles qui ont des numéros de série non uniques. Les numéros de série non uniques peuvent être causés par un problème de câblage et l'ajout de tels disques à un volume peut entraîner la perte de données.",
"Warning: iSCSI Target is already in use.
": "Attention : La cible iSCSI est déjà utilisé.
",
"Warning: {n} of {total} boot environments could not be deleted.": "Avertissement : {n} des {total} environnements de démarrage n'ont pas pu être supprimés.",
- "Warning: {n} of {total} docker images could not be deleted.": "Avertissement : {n} des {total} images docker n'ont pas pu être supprimées.",
- "Warning: {n} of {total} docker images could not be updated.": "Avertissement : {n} des {total} images docker n'ont pas pu être mises à jour.",
"Warning: {n} of {total} snapshots could not be deleted.": "Avertissement: {n} d'un total de {total} instantanés n'ont pas pu être supprimés.",
"Warnings": "Avertissements",
"Weak Ciphers": "Faiblesse de chiffrement",
@@ -4221,9 +4150,7 @@
"plzip (best compression)": "plzip (meilleure compression)",
"rpc.lockd(8) bind port": "rpc.lockd(8) port bind",
"rpc.statd(8) bind port": "mountd(8) bind port",
- "selected": "selectionné",
"threads": "threads",
- "total": "total",
"total available": "total disponible",
"vdev": "vdev",
"was successfully attached.": "a été attaché avec succès.",
@@ -4233,7 +4160,6 @@
"zstd-7 (very slow)": "zstd-7 (très lent)",
"zstd-fast (default level, 1)": "zstd-fast (niveau par défaut, 1)",
"{ n, plural, one {# snapshot} other {# snapshots} }": "{ n, plural, one {# instantané} other {# instantanés} }",
- "{app} Application Summary": "Résumé de l'application {app}",
"{app} Catalog Summary": "Résumé du catalogue {app}",
"{count} snapshots found.": "{count} instantanés trouvés.",
"{duration} remaining": "{duration} restante",
@@ -4247,8 +4173,6 @@
"{n, plural, =0 {No Tasks} one {# Task} other {# Tasks}} Configured": "{n, plural, =0 {Aucune tâche configurée} one {# tâche configurée} other {# tâches configurées}}",
"{n, plural, one {# GPU} other {# GPUs}} isolated": "{n, plural, one {# GPU} other {# GPUs}} {n, plural, one { isolé} other { isolés}}",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "{n, plural, one {# environnement de démarrage a été supprimé} other {# environnements de démarrage ont été supprimés}}",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "{n, plural, one {# image docker} other {# images docker}} {n, plural, one {a été supprimée} other {ont été supprimées}}.",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "{n, plural, one {# image docker} other {# images docker}} {n, plural, one {a été mise} other {ont été mises}} à jour.",
"{n}": "{n}",
"{n} (applies to descendants)": "{n} (s'applique aux descendants)",
"{n} RPM": "{n} RPM",
diff --git a/src/assets/i18n/fy.json b/src/assets/i18n/fy.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/fy.json
+++ b/src/assets/i18n/fy.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/ga.json b/src/assets/i18n/ga.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/ga.json
+++ b/src/assets/i18n/ga.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/gd.json b/src/assets/i18n/gd.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/gd.json
+++ b/src/assets/i18n/gd.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/gl.json b/src/assets/i18n/gl.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/gl.json
+++ b/src/assets/i18n/gl.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/he.json b/src/assets/i18n/he.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/he.json
+++ b/src/assets/i18n/he.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/hi.json b/src/assets/i18n/hi.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/hi.json
+++ b/src/assets/i18n/hi.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/hr.json b/src/assets/i18n/hr.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/hr.json
+++ b/src/assets/i18n/hr.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/hsb.json b/src/assets/i18n/hsb.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/hsb.json
+++ b/src/assets/i18n/hsb.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/hu.json b/src/assets/i18n/hu.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/hu.json
+++ b/src/assets/i18n/hu.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/ia.json b/src/assets/i18n/ia.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/ia.json
+++ b/src/assets/i18n/ia.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/id.json b/src/assets/i18n/id.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/id.json
+++ b/src/assets/i18n/id.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/io.json b/src/assets/i18n/io.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/io.json
+++ b/src/assets/i18n/io.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/is.json b/src/assets/i18n/is.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/is.json
+++ b/src/assets/i18n/is.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/it.json b/src/assets/i18n/it.json
index ce0c70c30df..e0b1bdd738a 100644
--- a/src/assets/i18n/it.json
+++ b/src/assets/i18n/it.json
@@ -74,9 +74,7 @@
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -185,10 +183,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -202,11 +197,8 @@
"Add new": "",
"Add the required no. of disks to get a vdev size estimate": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains:": "",
"Additional Kerberos application settings. See the \"appdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "",
"Additional Kerberos library settings. See the \"libdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "",
@@ -315,7 +307,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -336,7 +327,6 @@
"Apply User": "",
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{cert}\"?": "",
@@ -396,12 +386,10 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
"Available Resources": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back to Discover Page": "",
@@ -488,7 +476,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -683,7 +670,6 @@
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
- "Create Pool (Legacy)": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
"Create a new Target or choose an existing target for this share.": "",
@@ -694,7 +680,6 @@
"Create empty source dirs on destination after sync": "",
"Create more data VDEVs like the first.": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -737,7 +722,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not provided": "",
@@ -777,7 +761,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default Checksum Warning": "",
"Default Gateway": "",
@@ -915,7 +898,6 @@
"Do not save": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain:": "",
"Domains": "",
@@ -1069,7 +1051,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1230,7 +1211,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1242,7 +1222,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1262,7 +1241,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1314,8 +1292,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1323,8 +1299,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1562,9 +1536,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1627,7 +1598,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1656,7 +1626,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1673,7 +1642,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -1819,7 +1787,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -1860,7 +1827,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -1903,7 +1869,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -1932,7 +1897,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2078,7 +2042,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2086,7 +2049,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2212,7 +2174,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2333,7 +2294,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2407,7 +2367,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2430,9 +2389,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2514,9 +2470,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2560,7 +2513,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2594,7 +2546,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -2772,7 +2723,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3025,7 +2975,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3086,7 +3035,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3123,7 +3071,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3185,7 +3132,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3319,12 +3265,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3456,7 +3399,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3758,16 +3700,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -3798,12 +3737,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -3915,9 +3850,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -3947,9 +3879,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -3959,7 +3889,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -3979,8 +3908,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -4007,7 +3934,6 @@
"global is a reserved name that cannot be used as a share name. Please enter a different share name.": "global è un nome riservato che non può essere usato come nome per una condivisione. Inserire un diverso nome.",
"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!": " Includere il Password Secret Seed permette di utilizzare questo file di configurazione con un nuovo dispositivo di avvio. Questo decodifica anche tutte le password di sistema per il riutilizzo quando viene caricato il file di configurazione.
Mantieni il file di configurazione sicuro e protetto da accessi non autorizzati!",
"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 pool with this name already exists.": "Un pool con questo nome esiste già",
"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.",
"Access": "Accesso",
"Access Based Share Enumeration": "Enumerazione di Condivisione Basata sull'Accesso",
@@ -4074,7 +4000,6 @@
"Auxiliary Arguments": "Argomenti Ausiliari",
"Auxiliary Groups": "Gruppi Ausiliari",
"Auxiliary Parameters": "Parametri Ausiliari",
- "Available Disks": "Dischi Disponibili",
"Available Memory:": "Memoria Disponibile:",
"Available Space": "Spazio Disponibile",
"Back": "Indietro",
@@ -4153,7 +4078,6 @@
"Country": "Nazione",
"Country Code": "Prefisso Internazionale",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Il Prefisso Internazionale deve essere vuoto o contenere due lettere valide ISO 3166-1 alpha-2 code.",
- "Create": "Creare",
"Create ACME Certificate": "Creare Certificato ACME",
"Create Pool": "Creare Pool",
"Create Snapshot": "Creare Snapshot",
diff --git a/src/assets/i18n/ja.json b/src/assets/i18n/ja.json
index 8961aaab667..74559904b2e 100644
--- a/src/assets/i18n/ja.json
+++ b/src/assets/i18n/ja.json
@@ -66,9 +66,7 @@
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
"ACL Editor": "",
@@ -173,10 +171,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add a new bucket to your Storj account.": "",
"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.": "",
@@ -188,11 +183,8 @@
"Add new": "",
"Add the required no. of disks to get a vdev size estimate": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -283,7 +275,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -303,7 +294,6 @@
"Apply To Users": "",
"Apply User": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{cert}\"?": "",
@@ -360,11 +350,9 @@
"Auto Refresh": "",
"Auto TRIM": "",
"Automated Disk Selection": "",
- "Available Applications": "",
"Available Apps": "",
"Available Resources": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back to Discover Page": "",
@@ -444,7 +432,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -631,7 +618,6 @@
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New Primary Group": "",
- "Create Pool (Legacy)": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
"Create a new Target or choose an existing target for this share.": "",
@@ -643,7 +629,6 @@
"Create more data VDEVs like the first.": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Credential": "",
"Credentials": "",
@@ -686,7 +671,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -724,7 +708,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default Checksum Warning": "",
"Default Route": "",
"Default TrueNAS controller": "",
@@ -871,7 +854,6 @@
"Do not save": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1034,7 +1016,6 @@
"Encode information in less space than the original data occupies. It is recommended to choose a compression algorithm that balances disk performance with the amount of saved space.
LZ4 is generally recommended as it maximizes performance and dynamically identifies the best files to compress.
GZIP options range from 1 for least compression, best performance, through 9 for maximum compression with greatest performance impact.
ZLE is a fast algorithm that only eliminates runs of zeroes.": "",
"Encrypted Datasets": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1152,7 +1133,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
"Excellent effort": "",
@@ -1163,7 +1143,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1181,7 +1160,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1232,8 +1210,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1241,8 +1217,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1457,9 +1431,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1520,7 +1491,6 @@
"Install Application": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1546,7 +1516,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1563,7 +1532,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -1705,7 +1673,6 @@
"Log Level": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -1743,7 +1710,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -1786,7 +1752,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -1812,7 +1777,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -1946,7 +1910,6 @@
"No Pods Found": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -1954,7 +1917,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2065,7 +2027,6 @@
"Operation will change permissions on path: {path}": "",
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2173,7 +2134,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool contains {status} Data VDEVs": "",
@@ -2243,7 +2203,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2266,9 +2225,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2338,9 +2294,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
"Replacing Boot Pool Disk": "",
"Replacing Disk": "",
@@ -2402,7 +2355,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -2556,7 +2508,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
"Select a dataset for the new zvol.": "",
@@ -2763,7 +2714,6 @@
"Show QR": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -2818,7 +2768,6 @@
"Space-delimited list of allowed networks in network/mask CIDR notation. Example: 1.2.3.0/24. Leave empty to allow all.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -2850,7 +2799,6 @@
"Started": "",
"Starting": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3025,12 +2973,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
"The hostname or IP address of the LDAP server. Separate entries by pressing Enter
.": "",
@@ -3149,7 +3094,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3424,16 +3368,13 @@
"Verify": "",
"Verify Email Address": "",
"Verify certificate authenticity.": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -3462,12 +3403,8 @@
"Waiting": "",
"Waiting for Active TrueNAS controller to come up...": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -3574,9 +3511,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -3606,7 +3540,6 @@
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
"threads": "",
- "total": "",
"vdev": "",
"was successfully attached.": "",
"zle (runs of zeros)": "",
@@ -3615,7 +3548,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -3635,8 +3567,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -3671,7 +3601,6 @@
"SYNC: Files on the destination are changed to match those on the source. If a file does not exist on the source, it is also deleted from the destination.": "SYNC:宛先のファイルは、ソースのファイルと一致するように変更 されます。ソースにファイルが存在しない場合は、ファイルも宛先から削除されます。",
"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!": "パスワード シークレット シードを含めると、この設定ファイルを新しいブート デバイスで使用できます。これにより、構成ファイルのアップロード時に再利用するためにすべてのシステム パスワードが復号化されます。
不正アクセスから保護するため、構成ファイルは安全なところに厳重に保管してください。",
"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 pool with this name already exists.": "この名前のプールは既に存在します。",
"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.",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "このキーペアを識別する一意の名前。 自動生成されたキーペアは、キーペアを生成したオブジェクトの名前に「Key」が追加された名前が付けられます。",
"ACL Mode": "ACLモード",
@@ -3766,7 +3695,6 @@
"Auxiliary Parameters (ups.conf)": "追加パラメーター(ups.conf)",
"Auxiliary Parameters (upsd.conf)": "追加パラメーター(upsd.conf)",
"Available": "利用可能",
- "Available Disks": "利用可能なディスク",
"Available Memory:": "利用可能メモリ:",
"Available Space": "利用可能な容量",
"Available Space Threshold (%)": "利用可能な容量のしきい値(%)",
@@ -3861,7 +3789,6 @@
"Country": "国",
"Country Code": "国名コード",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.",
- "Create": "作成",
"Create New": "新規作成",
"Create Pool": "プールの作成",
"Create Snapshot": "スナップショットを作成",
@@ -4086,7 +4013,6 @@
"Reset": "リセット",
"Reset Config": "設定のリセット",
"Reset Configuration": "構成のリセット",
- "Reset Layout": "レイアウトをリセットする",
"Reset system configuration to default settings. The system will restart to complete this operation. You will be required to reset your password.": "システム構成を初期設定に戻します。この操作を完了するために、システムが再起動されます。パスワードの再設定が必要です。",
"Reset to Defaults": "デフォルトに戻す",
"Resetting. Please wait...": "リセットします。しばらくお待ちください...",
@@ -4186,7 +4112,6 @@
"Storage URL - optional (rclone documentation).": "Storage URL - optional (rclone documentation).",
"Store system logs on the system dataset. Unset to store system logs in /var/ on the operating system device.": "システムデータセットにシステムログを保存します。オペレーティングシステムデバイスの /var/ にシステムログを保存する設定を解除します。",
"Subject": "件名",
- "Suggest Layout": "レイアウトを提案する",
"Support": "サポート",
"System": "システム",
"System Dataset Pool": "システム データセット プール",
@@ -4260,6 +4185,5 @@
"ZFS Cache": "ZFSキャッシュ",
"[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.",
"overview": "概要",
- "selected": "選択済み",
"total available": "利用可能な合計"
}
\ No newline at end of file
diff --git a/src/assets/i18n/ka.json b/src/assets/i18n/ka.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/ka.json
+++ b/src/assets/i18n/ka.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/kk.json b/src/assets/i18n/kk.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/kk.json
+++ b/src/assets/i18n/kk.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/km.json b/src/assets/i18n/km.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/km.json
+++ b/src/assets/i18n/km.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/kn.json b/src/assets/i18n/kn.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/kn.json
+++ b/src/assets/i18n/kn.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/ko.json b/src/assets/i18n/ko.json
index a027c1dd7f2..0b043c01a49 100644
--- a/src/assets/i18n/ko.json
+++ b/src/assets/i18n/ko.json
@@ -10,7 +10,6 @@
"Access Control Entry (ACE) user or group. Select a specific User or Group for this entry, owner@ to apply this entry to the user that owns the dataset, group@ to apply this entry to the group that owns the dataset, or everyone@ to apply this entry to all users and groups. See nfs4_setfacl(1) NFSv4 ACL ENTRIES.": "",
"Add Allowed Initiators (IQN)": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add the required no. of disks to get a vdev size estimate": "",
"Adding data VDEVs of different types is not supported.": "",
"Agree": "",
@@ -21,7 +20,6 @@
"An instance of this app already installed. Click the badge to see installed apps.": "",
"Application Metadata": "",
"Applications allow you to extend the functionality of the TrueNAS server beyond traditional Network Attached Storage (NAS) workloads, and as such are not covered by iXsystems software support contracts unless explicitly stated. Defective or malicious applications can lead to data loss or exposure, as well possible disruptions of core NAS functionality.\n\n iXsystems makes no warranty of any kind as to the suitability or safety of using applications. Bug reports in which applications are accessing the same data and filesystem paths as core NAS sharing functionality may be closed without further investigation.": "",
- "Apps (Legacy)": "",
"Are you sure you want to delete catalog \"{name}\"?": "",
"Are you sure you want to delete cronjob \"{name}\"?": "",
"Are you sure you want to delete static route \"{name}\"?": "",
@@ -63,7 +61,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -311,14 +308,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -332,7 +327,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -382,7 +376,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -428,7 +421,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -604,7 +596,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -784,7 +775,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -945,7 +935,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -957,7 +946,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -977,7 +965,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1029,8 +1016,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1038,8 +1023,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1277,9 +1260,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1342,7 +1322,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1371,7 +1350,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1388,7 +1366,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -1534,7 +1511,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -1575,7 +1551,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -1618,7 +1593,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -1647,7 +1621,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -1793,7 +1766,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -1801,7 +1773,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -1927,7 +1898,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2048,7 +2018,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2122,7 +2091,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2145,9 +2113,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2229,9 +2194,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2275,7 +2237,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2309,7 +2270,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -2487,7 +2447,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -2740,7 +2699,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -2801,7 +2759,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -2838,7 +2795,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -2900,7 +2856,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3034,12 +2989,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3171,7 +3123,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3473,16 +3424,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -3513,12 +3461,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -3630,9 +3574,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -3662,9 +3603,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -3674,7 +3613,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -3694,8 +3632,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -3790,11 +3726,8 @@
"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 pool with this name already exists.": "이름이 이미 있는 풀입니다.",
"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.",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "작은 블록 크기는 순차 I/O 성능과 공간 효율성을 감소시킬 수 있습니다.",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "stripe 로그 vdev가 전원 공급 장애와 결합되면 데이터 손실이 발생할 수 있습니다.",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "stripe {vdevType} vdev는 강력히 권장되지 않으며 실패 시 데이터 손실이 발생할 수 있습니다.",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "시스템 업데이트가 진행 중입니다. 다른 창에서 또는 TrueCommand와 같은 외부 소스에서 시작되었을 수 있습니다.",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "이 키쌍을 식별하는 고유한 이름입니다. 자동으로 생성된 키쌍은 키를 생성한 개체의 이름에 \" Key\"가 추가된 이름으로 지정됩니다.",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "FTP 호스트 시스템의 사용자 이름입니다. 이 사용자는 이미 FTP 호스트에 존재해야 합니다.",
@@ -3913,8 +3846,6 @@
"Add User Quotas": "사용자 할당량 추가",
"Add VDEV": "VDEV 추가",
"Add VM Snapshot": "VM 스냅샷 추가",
- "Add Vdev": "Vdev 추가",
- "Add Vdevs": "Vdevs 추가",
"Add Windows (SMB) Share": "Windows (SMB) 공유 추가",
"Add Zvol": "Zvol 추가",
"Add a new bucket to your Storj account.": "Storj 계정에 새 버킷 추가",
@@ -3928,11 +3859,8 @@
"Add new": "새로 추가",
"Add this user to additional groups.": "이 사용자를 추가 그룹에 추가합니다.",
"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.": "추가된 디스크는 지워지고 선택한 토폴로지로 새로운 디스크로 풀이 확장됩니다. 풀에 있는 기존 데이터는 그대로 유지됩니다.",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "암호화된 풀에 Vdevs를 추가하면 암호를 재설정하고 복구 키가 재설정됩니다!",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "큰 카탈로그를 추가하는 데는 몇 분이 소요될 수 있습니다. 작업 관리자에서 진행 상황을 확인하십시오.",
"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) 옵션 추가.",
- "Additional Data VDevs to Create": "생성할 추가 데이터 VDevs",
"Additional Domains": "추가 도메인",
"Additional Domains:": "추가 도메인",
"Additional Hardware": "추가 하드웨어",
@@ -4055,7 +3983,6 @@
"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 Events": "어플리케이션 이벤트",
"Application Info": "어플리케이션 정보",
"Application Key": "애플리케이션 키",
"Application Name": "애플리케이션 이름",
@@ -4152,15 +4079,12 @@
"Auxiliary Parameters (ups.conf)": "보조 매개변수 (ups.conf)",
"Auxiliary Parameters (upsd.conf)": "보조 매개변수 (upsd.conf)",
"Available": "사용 가능",
- "Available Applications": "사용 가능한 앱",
"Available Apps": "사용 가능한 앱",
- "Available Disks": "사용 가능한 디스크",
"Available Memory:": "사용 가능한 메모리:",
"Available Resources": "사용 가능한 자원",
"Available Space": "사용 가능한 공간",
"Available Space Threshold (%)": "사용 가능한 공간 임계치 (%)",
"Available version:\n": "사용 가능한 버전:\n",
- "Available version: {version}": "사용 가능한 버전: {version}",
"Average Disk Temperature": "평균 디스크 온도",
"Avg Usage": "평균 사용량",
"Back": "뒤로",
diff --git a/src/assets/i18n/lb.json b/src/assets/i18n/lb.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/lb.json
+++ b/src/assets/i18n/lb.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/lt.json b/src/assets/i18n/lt.json
index 55ee10b2985..0b484e24b34 100644
--- a/src/assets/i18n/lt.json
+++ b/src/assets/i18n/lt.json
@@ -74,12 +74,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -201,10 +198,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -219,11 +213,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -352,7 +343,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -383,7 +373,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -459,15 +448,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -571,7 +557,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -819,14 +804,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -840,7 +823,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -890,7 +872,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -936,7 +917,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1112,7 +1092,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1292,7 +1271,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1453,7 +1431,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1465,7 +1442,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1485,7 +1461,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1537,8 +1512,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1783,9 +1756,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1848,7 +1818,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1877,7 +1846,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1894,7 +1862,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2040,7 +2007,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2081,7 +2047,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2124,7 +2089,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2153,7 +2117,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2299,7 +2262,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2307,7 +2269,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2433,7 +2394,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2554,7 +2514,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2628,7 +2587,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2651,9 +2609,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2735,9 +2690,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2781,7 +2733,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2815,7 +2766,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -2993,7 +2943,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3246,7 +3195,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3307,7 +3255,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3344,7 +3291,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3406,7 +3352,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3540,12 +3485,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3677,7 +3619,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3976,16 +3917,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4016,12 +3954,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4125,9 +4059,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4156,9 +4087,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"zle (runs of zeros)": "",
@@ -4167,7 +4096,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4187,8 +4115,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -4224,8 +4150,6 @@
"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.",
- "First vdev has {n} disks, new vdev has {m}": "Il primo vdev ha {n} dischi, nuovo vdev ha {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "Il primo vdev è {vdevType}, il nuovo vdev è {newVdevType}",
"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",
diff --git a/src/assets/i18n/lv.json b/src/assets/i18n/lv.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/lv.json
+++ b/src/assets/i18n/lv.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/mk.json b/src/assets/i18n/mk.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/mk.json
+++ b/src/assets/i18n/mk.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/ml.json b/src/assets/i18n/ml.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/ml.json
+++ b/src/assets/i18n/ml.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/mn.json b/src/assets/i18n/mn.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/mn.json
+++ b/src/assets/i18n/mn.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/mr.json b/src/assets/i18n/mr.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/mr.json
+++ b/src/assets/i18n/mr.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/my.json b/src/assets/i18n/my.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/my.json
+++ b/src/assets/i18n/my.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/nb.json b/src/assets/i18n/nb.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/nb.json
+++ b/src/assets/i18n/nb.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/ne.json b/src/assets/i18n/ne.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/ne.json
+++ b/src/assets/i18n/ne.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/nl.json b/src/assets/i18n/nl.json
index 2f81f10bfa4..9e483c96abb 100644
--- a/src/assets/i18n/nl.json
+++ b/src/assets/i18n/nl.json
@@ -8,13 +8,11 @@
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Adding data VDEVs of different types is not supported.": "",
"Agree": "",
"Alternatively, you can start by configuring VDEVs in the wizard first and then opening Manual selection to make adjustments.": "",
"Application Metadata": "",
"Applications allow you to extend the functionality of the TrueNAS server beyond traditional Network Attached Storage (NAS) workloads, and as such are not covered by iXsystems software support contracts unless explicitly stated. Defective or malicious applications can lead to data loss or exposure, as well possible disruptions of core NAS functionality.\n\n iXsystems makes no warranty of any kind as to the suitability or safety of using applications. Bug reports in which applications are accessing the same data and filesystem paths as core NAS sharing functionality may be closed without further investigation.": "",
- "Apps (Legacy)": "",
"Are you sure you want to delete catalog \"{name}\"?": "",
"Are you sure you want to delete cronjob \"{name}\"?": "",
"Are you sure you want to delete static route \"{name}\"?": "",
@@ -43,7 +41,6 @@
"Configure 2FA secret": "",
"Confirmation": "",
"Continue with the upgrade": "",
- "Create Pool (Legacy)": "",
"Create a recommended formation of VDEVs in a pool.": "",
"Create more data VDEVs like the first.": "",
"Cronjob deleted": "",
@@ -67,7 +64,6 @@
"Enter a unique name for the dataset. The dataset name length is calculated by adding the length of this field's value and the length of the parent path field value. The length of 'Parent Path' and 'Name' added together cannot exceed 200 characters. Because of this length validation on this field accounts for the parent path as well. Furthermore, the maximum nested directory levels allowed is 50. You can't create a dataset that's at the 51st level in the directory hierarchy after you account for the nested levels in the parent path.": "",
"Error In Cluster": "",
"Est. Usable Raw Capacity": "",
- "Existing Pool (Legacy)": "",
"Filesystem": "",
"For example if you set this value to 5, system will renew certificates that expire in 5 days or less.": "",
"Global 2FA": "",
@@ -205,9 +201,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"form instead": "",
"of": "",
"{catalog} Catalog": "",
@@ -291,11 +284,8 @@
"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.": "Een gebruikerstoegangstoken voor Box. Met een toegangstoken kan Box verifiëren dat een verzoek bij een geautoriseerde sessie hoort. Voorbeeld token: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "Er is een bericht met verificatie-instructies naar het nieuwe e-mailadres verzonden. Controleer het e-mailadres voordat u verdergaat.",
- "A pool with this name already exists.": "Er bestaat al een pool met deze naam.",
"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.": "Een enkele bandbreedtelimiet of bandbreedtelimietschema in rclone-formaat. De invoer scheiden door op Enter
te drukken.
Voorbeeld: 08:00,512 12:00,10MB 13:00,512 18:00,30MB 23:00,uit. Eenheden kunnen worden opgegeven met de beginletter: b, k (standaard), M of G. Zie rclone --bwlimit.",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "Een kleinere blokgrootte kan de sequentiële I/O-prestaties en ruimte-efficiëntie verminderen.",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "Een stripe log VDev kan leiden tot dataverlies als het faalt in combinatie met een stroomstoring.",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "Een stripe {vdevType} VDev wordt ten zeerste afgeraden en zal leiden tot dataverlies als het mislukt",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "Er wordt een systeemupdate uitgevoerd. Het is mogelijk gestart in een ander venster of door een externe bron zoals TrueCommand.",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "Een unieke naam om dit sleutelpaar te identificeren. Automatisch gegenereerde sleutelparen worden genoemd naar het object dat het sleutelpaar heeft gegenereerd met \" Sleutel\" toegevoegd aan de naam.",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "Een gebruikersnaam op het FTP Host-systeem. Deze gebruiker moet al bestaan op de FTP-host.",
@@ -417,8 +407,6 @@
"Add User Quotas": "Gebruikersquota toevoegen",
"Add VDEV": "VDev toevoegen",
"Add VM Snapshot": "VM momentopname toevoegen",
- "Add Vdev": "VDev toevoegen",
- "Add Vdevs": "VDevs toevoegen",
"Add Windows (SMB) Share": "Windows (SMB) share toevoegen",
"Add Zvol": "ZVol toevoegen",
"Add a new bucket to your Storj account.": "Een nieuwe bucket aan uw Storj account toevoegen.",
@@ -433,11 +421,8 @@
"Add the required no. of disks to get a vdev size estimate": "Het vereiste aantal schijven toevoegen om een schatting van de Vdev-grootte te krijgen",
"Add this user to additional groups.": "Deze gebruiker toevoegen aan extra groepen.",
"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.": "Toegevoegde schijven worden gewist, waarna de pool wordt uitgebreid naar de nieuwe schijven met de gekozen topologie. Bestaande data op de pool blijft intact.",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "Door VDev's aan een versleutelde pool toe te voegen, worden de wachtwoordzin en herstelsleutel opnieuw ingesteld!",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "Het toevoegen van grote catalogi kan minuten duren. Controleer de voortgang in Taakbeheer.",
"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').": "Aanvullende rsync(1) opties om op te nemen. Invoer scheiden door op Enter
te drukken.
Opmerking: het teken \"*\" moet worden geëscaped met een backslash (\\*.txt) of tussen enkele aanhalingstekens worden gebruikt ('*.txt').",
"Additional smartctl(8) options.": "Aanvullende smartctl(8)-opties.",
- "Additional Data VDevs to Create": "Aanvullende Data VDevs om aan te maken",
"Additional Domains": "Extra domeinen",
"Additional Domains:": "Extra domeinen:",
"Additional Hardware": "Extra hardware",
@@ -564,7 +549,6 @@
"Append Data": "Data toevoegen",
"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.": "Een achtervoegsel toevoegen aan het verbindingspad van de share. Dit wordt gebruikt om unieke shares te bieden per gebruiker, per computer of per IP-adres. Achtervoegsels kunnen een macro bevatten. Zie de smb.conf handleiding voor een lijst met ondersteunde macro's. Het verbindingspad moet worden ingesteld voordat een client verbinding maakt.",
"Application": "Toepassing",
- "Application Events": "Toepassingsgebeurtenissen",
"Application Info": "Toepassingsinformatie",
"Application Key": "Toepassingssleutel",
"Application Name": "Toepassingsnaam",
@@ -663,15 +647,12 @@
"Auxiliary Parameters (ups.conf)": "Extra parameters (ups.conf)",
"Auxiliary Parameters (upsd.conf)": "Extra parameters (upsd.conf)",
"Available": "Beschikbaar",
- "Available Applications": "Beschikbare apps",
"Available Apps": "Beschikbare apps",
- "Available Disks": "Beschikbare schijven",
"Available Memory:": "Beschikbaar geheugen:",
"Available Resources": "beschikbare bronnen",
"Available Space": "Beschikbare ruimte",
"Available Space Threshold (%)": "Beschikbare ruimtedrempel (%)",
"Available version:\n": "Beschikbare versie:",
- "Available version: {version}": "Beschikbare versie {version}",
"Average Disk Temperature": "Gemiddelde schijftemperatuur",
"Avg Usage": "Gemiddelde belasting",
"Back": "Terug",
@@ -773,7 +754,6 @@
"CSRs": "CSR's",
"Cache": "Cache",
"Cache VDEVs": "Cache VDevs",
- "Cache VDev": "Cache VDev",
"Caches": "Caches",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "Kan worden ingesteld op 0, leeg gelaten voor TrueNAS om een poort toe te wijzen wanneer de VM wordt gestart, of ingesteld op een vast, voorkeurspoortnummer.",
"Can not retrieve response": "Kan het antwoord niet ophalen",
@@ -1006,7 +986,6 @@
"Country": "Land",
"Country Code": "Landcode",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Landcode moet een geldige ISO 3166-1 alpha-2 code bevatten van twee hoofdletters.",
- "Create": "Aanmaken",
"Create ACME Certificate": "ACME certificaat aanmaken",
"Create Boot Environment": "Bootomgeving aanmaken",
"Create Home Directory": "Home-map aanmaken",
@@ -1024,7 +1003,6 @@
"Create new disk image": "Nieuw schijfimage aanmaken",
"Create or Choose Block Device": "Aanmaken of selecteren het apparaat te blokkeren",
"Create pool": "Pool aanmaken",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "{vdevs} nieuwe {vdevType} data VDevs aanmaken met behulp van {used} ({size}) {type}s en {remaining} van die schijven ongebruikt laten.",
"Created Date": "Aanmaakdatum",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "Aanvinken om momentopnamen te maken van datasets zelfs als er geen wijzigingen zijn aangebracht in de dataset vanaf de laatste momentopname. Aanbevolen voor het maken van herstelpunten voor de lange termijn, meerdere momentopnametaken die naar dezelfde datasets verwijzen, of om compatibel te zijn met momentopnamenchema's of replicaties die zijn gemaakt in TrueNAS 11.2 en eerder.
Bijvoorbeeld lege momentopname toestaan voor een maandelijkse momentopnamen. Met het schema kan die maandelijkse momentopname worden gemaakt zelfs wanneer een dagelijkse momentopnametaak al een momentopname heeft gemaakt van eventuele wijzigingen in de dataset.",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "Als u een sysctl maakt of bewerkt, wordt de variabele onmiddellijk bijgewerkt naar de geconfigureerde waarde. Een herstart is vereist om loader of rc.conf tunables toe te passen. Geconfigureerde instellingen blijven van kracht totdat ze worden verwijderd of Ingeschakeld wordt uitgeschakeld.",
@@ -1072,7 +1050,6 @@
"Data Protection": "Databescherming",
"Data Quota": "Dataquota",
"Data VDEVs": "Data VDEVs",
- "Data VDevs": "Data VDevs",
"Data Written": "Geschreven aan data",
"Data not available": "Data is niet beschikbaar",
"Data not provided": "Data is niet verstrekt",
@@ -1116,7 +1093,6 @@
"Decipher Only": "Alleen ontcijferen",
"Dedup": "Ontdubbelen",
"Dedup VDEVs": "VDevs ontdubbelen",
- "Dedup VDev": "VDev ontdubbelen",
"Default": "Standaard",
"Default ACL Options": "Standaard opties voor de Toegangsbeheerlijst",
"Default Checksum Warning": "Standaard controlesomwaarschuwing",
@@ -1285,7 +1261,6 @@
"Do not set this if the Serial Port is disabled.": "Dit niet instellen als de seriële poort is uitgeschakeld.",
"Do you want to configure the ACL?": "Wilt u de Toegangsbeheerlijst configureren?",
"Docker Host": "Docker host",
- "Docker Registry Authentication": "Docker Registry authenticatie",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "Heeft uw bedrijf Ondernemingsniveau ondersteuning en services nodig? Neem contact op met iXsystems voor meer informatie.",
"Domain": "Domein",
"Domain Account Name": "Domein accountnaam",
@@ -1460,7 +1435,6 @@
"Encrypted Datasets": "Versleutelde datasets",
"Encryption": "Versleuteling",
"Encryption (more secure, but slower)": "Versleuteling (veiliger, maar langzamer)",
- "Encryption Algorithm": "Versleutelingsalgoritme",
"Encryption Key": "Versleutelingssleutel",
"Encryption Key Format": "Formaat versleutelingssleutel",
"Encryption Key Location in Target System": "Locatie van versleutelingssleutel in doelsysteem",
@@ -1619,7 +1593,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "Om een verbinding tot stand te brengen, moet een van de verbindingssystemen open TCP-poorten hebben. Selecteren welk systeem (LOCAL of REMOTE) poorten zal openen. Raadpleeg uw IT-afdeling om te bepalen welke systemen poorten mogen openen.",
"Estimated Raw Capacity": "Geschatte ruwe capaciteit",
"Estimated data capacity available after extension.": "Geschatte beschikbare datacapaciteit na verlenging.",
- "Estimated raw capacity:": "Geschatte ruwe capaciteit:",
"Estimated total raw data capacity": "Geschatte totale ruwe capaciteit",
"Everything is fine": "Alles is in orde",
"Example: blob.core.usgovcloudapi.net": "Voorbeeld: blob.core.usgovcloudapi.net",
@@ -1650,7 +1623,6 @@
"Export/Disconnect Pool": "Pool exporteren/ontkoppelen",
"Export/disconnect pool: {pool}": "Pool exporteren/ontkoppelen: {pool}",
"Exported": "Geëxporteerd",
- "Exported Pool": "Geëxporteerde pool",
"Exporting Pool": "Pool aan het exporteren",
"Exporting/disconnecting will continue after services have been managed.": "Het exporteren/ontkoppelen gaat door nadat de services zijn beheerd.",
"Expose zilstat via SNMP": "Zilstat blootstellen via SNMP",
@@ -1701,8 +1673,6 @@
"Filter Users": "Gebruikers filteren",
"Filter by Disk Size": "Filteren op schijfgrootte",
"Filter by Disk Type": "Filteren op schijftype",
- "Filter disks by capacity": "Schijven op capaciteit filteren",
- "Filter disks by name": "Schijven op naam filteren",
"Filter {item}": "{item} filteren",
"Filters": "Filters",
"Finding Pools": "Pools aan het zoeken",
@@ -1710,8 +1680,6 @@
"Finished": "Voltooid",
"Finished Resilver on {date}": "Opnieuw verzilveren is voltooid op {date}",
"Finished Scrub on {date}": "Scrubben is voltooid op {date}",
- "First vdev has {n} disks, new vdev has {m}": "Eerste VDev heeft {n} schijven, nieuwe VDev heeft {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "Eerste VDev is een {vdevType}, nieuwe VDev is {newVdevType}",
"Fix Credential": "Inloggegevens repareren",
"Fix database": "Database repareren",
"Flags": "Vlaggen",
@@ -1940,9 +1908,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "Als {vmName} nog steeds actief is, heeft het gast-besturingssysteem niet gereageerd zoals verwacht. Het is mogelijk om Power Off of de optie Force Stop After Timeout te gebruiken om de VM te stoppen.",
"Ignore Builtin": "Ingebouwde negeren",
"Image ID": "Image ID",
- "Image Name": "Imagenaam",
- "Image Size": "Imagegrootte",
- "Image Tag": "Imagelabel",
"Images ( to be updated )": "Images (die bijgewerkt moeten worden)",
"Images not to be deleted": "Images die niet verwijderd moeten worden",
"Immediately connect to TrueCommand.": "Onmiddellijk verbinden met TrueCommand",
@@ -1999,7 +1964,6 @@
"Install Manual Update File": "Handmatig updatebestand installeren",
"Installation Media": "Installatiemedium",
"Installed": "Geïnstalleerd",
- "Installed Applications": "Geïnstalleerde apps",
"Installed Apps": "Geïnstalleerde apps",
"Installed Catalogs": "Geïnstalleerde catalogi",
"Installer image file": "Image van het installatieprogramma",
@@ -2026,7 +1990,6 @@
"Invalid format. Expected format: =": "Ongeldig formaat. Verwachte formaat: =",
"Invalid image": "Ongeldige image",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "Ongeldige netwerkadreslijst. Controleer op typefouten of ontbrekende CIDR-netmaskers en afzonderlijke adressen door op Enter
te drukken.",
- "Invalid regex filter": "Ongeldig regex filter",
"Invalid value. Missing numerical value or invalid numerical value/unit.": "Ongeldige waarde. Ontbrekende numerieke waarde of ongeldige numerieke waarde/eenheid.",
"Invalid value. Must be greater than or equal to ": "Ongeldige waarde. Moet groter zijn dan of gelijk zijn aan ",
"Invalid value. Must be less than or equal to ": "Ongeldige waarde. Moet kleiner zijn dan of gelijk zijn aan",
@@ -2041,7 +2004,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "Het lijkt er op dat er nog geen SMB-shares zijn ingesteld. Op onderstaande knop klikken om een SMB-share toe te voegen.",
"It seems you haven't setup any {item} yet.": "Het lijkt er op dat er nog geen {item} zijn ingesteld. ",
"Item": "Item",
- "Item Name": "Itemnaam",
"Items Delete Failed": "Verwijderen van items is mislukt",
"Items deleted": "Items zijn verwijderd",
"Jan": "jan",
@@ -2176,7 +2138,6 @@
"Log Out": "Uitloggen",
"Log Path": "Loggingpad",
"Log VDEVs": "VDEVs loggen",
- "Log VDev": "VDev loggen",
"Log in to Gmail to set up Oauth credentials.": "Inloggen bij Gmail om OAuth-inloggegevens in te stellen.",
"Logged In To Jira": "Ingelogd bij To Jira",
"Logging Level": "Loggingniveau",
@@ -2217,7 +2178,6 @@
"Manage Datasets": "Datasets beheren",
"Manage Devices": "Apparaten beheren",
"Manage Disks": "Schijven beheren",
- "Manage Docker Images": "Docker images beheren",
"Manage Global SED Password": "Globale wachtwoord voor zelfversleutelende schijf beheren",
"Manage Group Quotas": "Groepsquota beheren",
"Manage Installed Apps": "Geïnstalleerde apps beheren",
@@ -2259,7 +2219,6 @@
"Mattermost username.": "Belangrijkste gebruikersnaam.",
"Max Poll": "Maximum polling",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "Max dataset nesting in ZFS is beperkt tot 50. We zitten al aan die limiet in het bovenliggende datasetpad. Het is niet mogelijk om geneste datasets meer aan te maken onder dit pad.",
- "Max length allowed for pool name is 50": "Maximale toegestane lengte voor poolnaam is 50",
"Maximize Enclosure Dispersal": "De verspreiding van behuizingen maximaliseren",
"Maximum Passive Port": "Maximale passieve poort",
"Maximum Transmission Unit, the largest protocol data unit that can be communicated. The largest workable MTU size varies with network interfaces and equipment. 1500 and 9000 are standard Ethernet MTU sizes. Leaving blank restores the field to the default value of 1500.": "Maximale transmissie-eenheid (MTU), de grootste protocoldata-eenheid die kan worden gecommuniceerd. De grootste werkbare MTU varieert met netwerkinterfaces en apparatuur. 1500 en 9000 zijn standaard Ethernet MTU-eenheden. Als dit veld leeg is wordt de MTU op de standaardwaarde van 1500 ingesteld.",
@@ -2286,7 +2245,6 @@
"Metadata": "Metadata",
"Metadata (Special) Small Block Size": "Metadata (speciaal) kleine blokgrootte",
"Metadata VDEVs": "Metadata VDEVs",
- "Metadata VDev": "Metadata VDev",
"Method": "Methode",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "Methode voor het overbrengen van momentopnamen: - SSH wordt door de meeste systemen ondersteund. Het vereist een eerder aangemaakte verbinding in Systeem > SSH-verbindingen.
- SSH+NETCAT gebruikt SSH om een verbinding met het doelsysteem tot stand te brengen en gebruikt vervolgens < a \nhref=\"https://github.com/truenas/py-libzfs\" target=\"_blank\">py-libzfs om een niet-versleutelde datastroom te verzenden voor hogere overdrachtssnelheden. Dit werkt alleen bij replicatie naar een TrueNAS of ander systeem waarop py-libzfs is geïnstalleerd.
- LOKAAL repliceert efficiënt momentopnamen naar een andere dataset op hetzelfde systeem zonder het netwerk te gebruiken.
- LEGACY gebruikt de oude replicatie-engine van FreeNAS 11.2 en eerder.
",
"Metrics": "Metrisch",
@@ -2423,14 +2381,12 @@
"No Pools": "Geen pools",
"No Pools Found": "Er zijn geen pools gevonden",
"No Propagate Inherit": "Overerven niet doorgeven",
- "No Recent Events": "Geen recente gebeurtenissen",
"No S.M.A.R.T. test results": "Geen S.M.A.R.T.-testresultaten",
"No S.M.A.R.T. tests have been performed on this disk yet.": "Er zijn nog geen S.M.A.R.T.-testen uitgevoerd op deze schijf.",
"No SMB Shares have been configured yet": "Er zijn nog geen SMB-shares geconfigureerd",
"No Safety Check (CAUTION)": "Geen veiligheidscontrole (LET OP)",
"No Search Results.": "Geen zoekresultaten.",
"No Traffic": "Geen verkeer",
- "No Version": "Geen versie",
"No active interfaces are found": "Er zijn geen actieve interfaces gevonden",
"No arguments are passed": "Er worden geen argumenten doorgegeven",
"No containers are available.": "Er zijn géén containers beschikbaar.",
@@ -2551,7 +2507,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "Optionele beschrijving. Portalen krijgen automatisch een numerieke groep toegewezen.",
"Optional user-friendly name.": "Optioneel een gebruiksvriendelijke naam gebruiken.",
"Optional. Enter a server description.": "Optioneel. Een serverbeschrijving invoeren.",
- "Optional. Only needed for private images.": "Optioneel. Alleen nodig voor persoonlijke images.",
"Optional: CPU Set (Examples: 0-3,8-11)": "Optioneel: CPU ingesteld (voorbeelden: 0-3, 8-11)",
"Optional: Choose installation media image": "Optioneel: installatiemedium-image selecteren",
"Optional: NUMA nodeset (Example: 0-1)": "Optioneel: NUMA nodeset (voorbeeld: 0-1)",
@@ -2670,7 +2625,6 @@
"Pool": "Pool",
"Pool Available Space Threshold (%)": "Drempel beschikbare ruimte in pool (%)",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "Poolschijven hebben {alerts}-waarschuwingen en {smartTests} mislukte S.M.A.R.T.-testen",
- "Pool Manager": "Poolbeheer",
"Pool Options for {pool}": "Poolopties voor {pool}",
"Pool Status": "Poolstatus",
"Pool contains {status} Data VDEVs": "Pool bevat {status} Data VDev's",
@@ -2741,7 +2695,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "Openbaar IP-adres of hostnaam. Instellen of FTP-clients geen verbinding kunnen maken via een NAT-apparaat.",
"Public Key": "Openbare sleutel",
"Pull": "Pull",
- "Pull Image": "Image ophalen",
"Pulling...": "Aan het ophalen...",
"Purpose": "Vooraf ingestelde configuratie",
"Push": "Push",
@@ -2761,9 +2714,6 @@
"REMOTE": "EXTERN",
"REQUIRE": "EISEN",
"RPM": "RPM",
- "Raid-z": "Raid-z",
- "Raid-z2": "Raid-z2",
- "Raid-z3": "Raid-z3",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "Willekeurig een versleutelingssleutel genereren om deze dataset te beveiligen. Uitschakelen vereist het handmatig definiëren van de versleutelingssleutel.
WAARSCHUWING: de versleutelingssleutel is de enige manier om de informatie die is opgeslagen in deze dataset te ontsleutelen. Bewaar de versleutelingssleutel op een veilige locatie.",
"Range High": "Bereik hoog",
"Range Low": "Bereik laag",
@@ -2843,9 +2793,6 @@
"Renew Secret": "Geheime waarde vernieuwen",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "Als u de geheime waarde vernieuwt, wordt een nieuwe URI en een nieuwe QR-code gegenereerd, waardoor het nodig is om uw 2-Factor-apparaat of toepassing bij te werken.",
"Reorder": "Opnieuw ordenen",
- "Repeat Data VDev": "Data VDev herhalen",
- "Repeat Vdev": "VDev herhalen",
- "Repeat first Vdev": "Eerste VDev herhalen",
"Replace": "Vervangen",
"Replace Disk": "Schijf vervangen",
"Replace existing dataset properties with these new defined properties in the replicated files.": "Bestaande dataseteigenschappen vervangen door deze nieuw gedefinieerde eigenschappen in de gerepliceerde bestanden.",
@@ -2888,7 +2835,6 @@
"Reset": "Resetten",
"Reset Config": "Configuratie resetten",
"Reset Configuration": "Configuratie resetten",
- "Reset Layout": "Lay-out resetten",
"Reset Search": "Zoeken resetten",
"Reset Zoom": "Zoomen resetten",
"Reset system configuration to default settings. The system will restart to complete this operation. You will be required to reset your password.": "De systeemconfiguratie resetten naar de standaardinstellingen. Het systeem zal opnieuw opstarten om deze bewerking te voltooien. U moet uw wachtwoord opnieuw instellen.",
@@ -2917,7 +2863,6 @@
"Restrict share visibility to users with read or write access to the share. See the smb.conf manual page.": "Aanvinken om de zichtbaarheid van de share te beperken tot gebruikers met lees- of schrijftoegang tot de share. Zie de smb.conf handleiding.",
"Restricted": "Is beperkt",
"Retention": "Behouden",
- "Retrieving catalog": "Catalogus ophalen",
"Return to pool list": "Terugkeren naar poollijst",
"Revert Changes": "Wijzigingen ongedaan maken",
"Revert Network Interface Changes": "Wijzigingen in netwerkinterface ongedaan maken",
@@ -3089,7 +3034,6 @@
"Select Disk Type": "Schijftype selecteren",
"Select Existing Zvol": "Bestaand ZVol selecteren",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "IP-adressen selecteren om te luisteren naar NFS-verzoeken.
Leeg laten zodat NFS naar alle beschikbare adressen kan luisteren.
Statische IP's moeten op de interface worden geconfigureerd om in de lijst te verschijnen.",
- "Select Image Tag": "Imagelabel selecteren",
"Select Pool": "Pool selecteren",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "Een compressie-algoritme selecteren om de omvang van de data die wordt gerepliceerd te verkleinen.
Verschijnt alleen wanneer SSH is gekozen voor het type Transport.",
"Select a dataset for the new zvol.": "Een dataset voor het nieuwe ZVol selecteren.",
@@ -3334,7 +3278,6 @@
"Show Text Console without Password Prompt": "Tekstconsole weergeven zonder wachtwoordprompt",
"Show all available groups, including those that do not have quotas set.": "Toon alle beschikbare groepen, ook die waarvoor geen quota zijn ingesteld.",
"Show all available users, including those that do not have quotas set.": "Toon alle beschikbare gebruikers, inclusief degenen waarvoor geen quota zijn ingesteld.",
- "Show disks with non-unique serial numbers": "Schijven met niet-unieke serienummers weergeven",
"Show extra columns": "Extra kolommen tonen",
"Show only those users who have quotas. This is the default view.": "Toon alleen die gebruikers die quota hebben. Dit is de standaardweergave.",
"Showing extra columns in the table is useful for data filtering, but can cause performance issues.": "Het tonen van extra kolommen in de tabel is handig voor datafiltering, maar kan prestatieproblemen veroorzaken.",
@@ -3392,7 +3335,6 @@
"Spaces are allowed.": "Spaties zijn toegestaan.",
"Spare": "Reserve",
"Spare VDEVs": "Reserve VDEVs",
- "Spare VDev": "Reserve VDev",
"Spares": "Reserves",
"Sparse": "Thin provisioning",
"Specifies the auxiliary directory service ID provider.": "Specificeert de provider van de extra telefoonlijstservice-ID.",
@@ -3427,7 +3369,6 @@
"Starting": "Aan het starten",
"State": "Status",
"Stateful Sets": "Stateful-sets",
- "Statefulsets": "Statefulsets",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "Statische IP-adressen waarop SMB luistert voor verbindingen. Alle niet-geselecteerde standaardwaarden laten voor luisteren op alle actieve interfaces.",
"Static IPv4 address of the IPMI web interface.": "Statisch IPv4-adres van de IPMI webinterface",
"Static Routes": "Statische routes",
@@ -3486,7 +3427,6 @@
"Successfully saved proactive support settings.": "Proactieve ondersteuningsinstellingen zijn succesvol opgeslagen.",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "Succesvol zijn instellingen van {n, plural, one {schijf} other {schijven}} opgeslagen.",
"Sudo Enabled": "Sudo is ingeschakeld",
- "Suggest Layout": "Lay-out voorstellen",
"Suggestion": "Voorstel",
"Summary": "Samenvatting",
"Sun": "zon",
@@ -3618,11 +3558,8 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "Het bestandssysteem {filesystemName} is {filesystemDescription}, maar datastore {datastoreName} is {datastoreDescription}. Is dit correct?",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "Voor de volgende wijzigingen aan deze SMB-share moet de SMB-service opnieuw worden gestart voordat ze van kracht kunnen worden.",
"The following datasets cannot be unlocked.": "De volgende datasets kunnen niet worden ontgrendeld.",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "De volgende schijf(schijven) is/maken deel uit van de momenteel geëxporteerde pools (gespecificeerd naast schijfnamen). Als u deze schijf opnieuw gebruikt, kunnen de gekoppelde geëxporteerde pools niet meer worden geïmporteerd. U verliest alle gegevens in die pools. Zorg ervoor dat er een back-up wordt gemaakt van alle gevoelige gegevens in deze pools voordat u deze schijven opnieuw gebruikt/herbestemming geeft.",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "De volgende { n, plural, one {toepassing} other {# toepassingen} } wordt geüpgraded. Weet u zeker dat u verder wilt gaan?",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "De volgende {n, plural, one {bootomgeving wordt} other {# bootomgevingen worden} } verwijderd. Weet u zeker dat u verder wilt gaan?",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "De volgende {n, plural, one {docker-image wordt} other {# docker-images worden} } verwijderd. Weet u zeker dat u verder wilt gaan?",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "De volgende { n, plural, one {docker-image wordt} other {# docker-images worden} } bijgewerkt. Weet u zeker dat u verder wilt gaan?",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "De volgende { n, plural, one {momentopname wordt} other {# momentopnamen worden} } verwijderd. Weet u zeker dat u verder wilt gaan?",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "De beschrijvende naam die vóór het verzendende e-mailadres moet worden weergegeven. Voorbeeld: Opslagsysteem 01& ltit@example.com >",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "De groep die de dataset beheert. Deze groep heeft dezelfde rechten als aan de groep@ Wie. Groepen die handmatig zijn gemaakt of zijn geïmporteerd uit een mapservice, verschijnen in het vervolgkeuzemenu.",
@@ -3754,7 +3691,6 @@
"This share is configured through TrueCommand": "Deze share wordt geconfigureerd via TrueCommand",
"This system cannot communicate externally.": "Dit systeem kan niet extern communiceren.",
"This system will restart when the update completes.": "Dit systeem wordt opnieuw opgestart wanneer de update is voltooid.",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "Dit type VDEV vereist minimaal {n, plural, one {# schijf} other {# schijven}}.",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "Deze waarde vertegenwoordigt de drempelwaarde voor het opnemen van kleine bestandsblokken in de speciale toewijzingsklasse. Blokken kleiner dan of gelijk aan deze waarde worden toegewezen aan de speciale toewijzingsklasse, terwijl grotere blokken worden toegewezen aan de reguliere klasse. Geldige waarden zijn nul of een macht van twee van 512B tot 1M. De standaardgrootte is 0, wat betekent dat er geen kleine bestandsblokken worden toegewezen in de speciale klasse. Voordat deze eigenschap wordt ingesteld, moet een speciale klasse VDev aan de pool worden toegevoegd. Zie zpool(8) voor meer details over de speciale toewijzing",
"Thread #": "thread #",
"Thread responsible for syncing db transactions not running on other node.": "Thread verantwoordelijk voor het synchroniseren van database-transacties die niet op een andere node worden uitgevoerd.",
@@ -4042,16 +3978,13 @@
"Verify Email Address": "E-mailadres verifiëren",
"Verify certificate authenticity.": "Authenticiteit van certificaat verifiëren.",
"Version": "Versie",
- "Version Info": "Versie-informatie",
"Version to be upgraded to": "Versie waarnaar moet worden geüpgraded",
- "Versions": "Versies",
"Video, < 100ms latency": "Video, < 100 ms latentie",
"Video, < 10ms latency": "Video, < 10 ms latentie",
"View All": "Alle weergeven",
"View All S.M.A.R.T. Tests": "Alle S.M.A.R.T.-testen weergeven",
"View All Scrub Tasks": "Alle scrubtaken weergeven",
"View All Test Results": "Alle testresultaten weergeven",
- "View Catalog": "Catalogus weergeven",
"View Disk Space Reports": "Schijfruimterapporten weergeven",
"View Enclosure": "Behuizing weergeven",
"View Logs": "Loggingen weergeven",
@@ -4081,12 +4014,8 @@
"Waiting for Active TrueNAS controller to come up...": "Wacht op het TrueNAS inlogscherm...",
"Warning": "Waarschuwing",
"Warning!": "Waarschuwing!",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "Waarschuwing: er zijn {n} USB-schijven beschikbaar met niet-unieke serienummers. USB-controllers kunnen de schijfserie onjuist rapporteren, waardoor dergelijke schijven niet van elkaar te onderscheiden zijn. Het toevoegen van dergelijke schijven aan een pool kan leiden tot dataverlies.",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "Waarschuwing: er zijn {n} schijven beschikbaar met niet-unieke serienummers. Niet-unieke serienummers kunnen worden veroorzaakt door een kabelprobleem en het toevoegen van dergelijke schijven aan een pool kan leiden tot dataverlies.",
"Warning: iSCSI Target is already in use.
": "Waarschuwing: iSCSI target is al in gebruik.
",
"Warning: {n} of {total} boot environments could not be deleted.": "Waarschuwing: {n} van {total} bootomgevingen kunnen niet worden verwijderd.",
- "Warning: {n} of {total} docker images could not be deleted.": "Waarschuwing: {n} van {total} docker-images konden niet worden verwijderd.",
- "Warning: {n} of {total} docker images could not be updated.": "Waarschuwing: {n} van {total} docker-images konden niet worden geüpdated.",
"Warning: {n} of {total} snapshots could not be deleted.": "Waarschuwing: {n} van {total} momentopnamen konden niet worden verwijderd.",
"Weak Ciphers": "Zwakke versleutelingen",
"Web Interface": "Webinterface",
@@ -4216,9 +4145,7 @@
"plzip (best compression)": "plzip (beste compressie)",
"rpc.lockd(8) bind port": "rpc.lockd(8) bind poort",
"rpc.statd(8) bind port": "rpc.statd(8) bind poort",
- "selected": "geselecteerd",
"threads": "threads",
- "total": "totaal",
"total available": "totaal beschikbaar",
"vdev": "VDev",
"was successfully attached.": "werd succesvol gekoppeld.",
@@ -4228,7 +4155,6 @@
"zstd-7 (very slow)": "zstd-7 (erg langzaam)",
"zstd-fast (default level, 1)": "zstd-snel (standaardniveau, 1)",
"{ n, plural, one {# snapshot} other {# snapshots} }": "{ n, plural, one {# momentopname} other {# momentopnamen} }",
- "{app} Application Summary": "{app} toepassingsoverzicht",
"{app} Catalog Summary": "{app} catalogusoverzicht",
"{count} snapshots found.": "{count} momentopnamen gevonden",
"{cpuPercentage}% Avg. Usage": "{cpu}% gemiddeld gebruik ",
@@ -4245,8 +4171,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "{n, plural, one {# GPU} other {# GPUs}} geïsoleerd",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "{n, plural, one {# bootomgeving is} other {# bootomgevingen zijn}} verwijderd.",
"{n, plural, one {# core} other {# cores}}": "{n, plural, one {# core} other {# cores}}",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "{n, plural, one {# docker-image is} other {# docker-images zijn}} verwijderd.",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "{n, plural, one {# docker image is} other {# docker images zijn}} bijgewerkt.",
"{n, plural, one {# thread} other {# threads}}": "{n, plural, one {# thread} other {# threads}}",
"{n}": "{n}",
"{n} (applies to descendants)": "{n} (geldt voor nakomelingen)",
diff --git a/src/assets/i18n/nn.json b/src/assets/i18n/nn.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/nn.json
+++ b/src/assets/i18n/nn.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/os.json b/src/assets/i18n/os.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/os.json
+++ b/src/assets/i18n/os.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/pa.json b/src/assets/i18n/pa.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/pa.json
+++ b/src/assets/i18n/pa.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/pl.json b/src/assets/i18n/pl.json
index 5c1b1818172..f5347092c9b 100644
--- a/src/assets/i18n/pl.json
+++ b/src/assets/i18n/pl.json
@@ -70,12 +70,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -169,10 +166,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add a new bucket to your Storj account.": "",
"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.": "",
@@ -184,9 +178,7 @@
"Add new": "",
"Add the required no. of disks to get a vdev size estimate": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
"Additional Domains:": "",
"Additional Kerberos application settings. See the \"appdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "",
@@ -302,7 +294,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -333,7 +324,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -409,15 +399,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -521,7 +508,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -769,14 +755,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create a custom ACL": "",
"Create a new home directory for user within the selected path.": "",
@@ -787,7 +771,6 @@
"Create more data VDEVs like the first.": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
"Credential": "",
@@ -835,7 +818,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -879,7 +861,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1055,7 +1036,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1234,7 +1214,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1395,7 +1374,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1407,7 +1385,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1427,7 +1404,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1479,8 +1455,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1724,9 +1698,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1789,7 +1760,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1818,7 +1788,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1835,7 +1804,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -1981,7 +1949,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2022,7 +1989,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2065,7 +2031,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2094,7 +2059,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2238,7 +2202,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2246,7 +2209,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2372,7 +2334,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2493,7 +2454,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2567,7 +2527,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2590,9 +2549,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2673,9 +2629,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2731,7 +2684,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -2909,7 +2861,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3161,7 +3112,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3222,7 +3172,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3259,7 +3208,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3321,7 +3269,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3455,12 +3402,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3592,7 +3536,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3894,16 +3837,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -3934,12 +3874,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4049,9 +3985,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4080,9 +4013,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"zle (runs of zeros)": "",
@@ -4091,7 +4022,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4111,8 +4041,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -4174,7 +4102,6 @@
"Add any notes about this zvol.": "Dodaj wszelkie uwagi dotyczące tego zvol.",
"Add this user to additional groups.": "Dodaj tego użytkownika do dodatkowych grup.",
"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 Data VDevs to Create": "Dodatkowe dane VDevs do utworzenia",
"Additional Domains": "Dodatkowe Domeny",
"Additional Hardware": "Dodatkowy Sprzęt",
"Address": "Adres",
@@ -4206,8 +4133,6 @@
"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.",
- "First vdev has {n} disks, new vdev has {m}": "Pierwszy vdev ma {n} dyski, nowy vdev ma {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "Pierwszy vdev to {vdevType}, nowy vdev jest {newVdevType}",
"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.",
"Hostname": "Nazwa Hosta",
"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.",
@@ -4226,7 +4151,6 @@
"Reserved space for this dataset and all children": "Zarezerwowane miejsce dla tego zbioru danych i potomnych",
"Reset Config": "Zresetuj ustawienia",
"Reset Configuration": "Resetuj konfigurację",
- "Reset Layout": "Resetuj układ",
"Reset system configuration to default settings. The system will restart to complete this operation. You will be required to reset your password.": "Zresetuj konfigurację systemu do ustawień domyślnych. System uruchomi się ponownie, aby zakończyć tę operację. Będziesz musiał zresetować swoje hasło.",
"Reset to Defaults": "Ustaw Domyślne",
"Resetting system configuration to default settings. The system will restart.": "Resetowanie konfiguracji systemu do ustawień domyślnych. System uruchomi się ponownie.",
diff --git a/src/assets/i18n/pt-br.json b/src/assets/i18n/pt-br.json
index acb41225bdc..7c4d91692a3 100644
--- a/src/assets/i18n/pt-br.json
+++ b/src/assets/i18n/pt-br.json
@@ -33,9 +33,7 @@
"{disk} has been detached.": "",
"Currently following GPU(s) have been isolated:
{gpus}
": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"ACL Editor": "",
"ACL Types & ACL Modes": "",
"ACME DNS-Authenticators": "",
@@ -140,10 +138,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -158,11 +153,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -291,7 +283,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -322,7 +313,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -398,15 +388,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -510,7 +497,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -758,14 +744,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -779,7 +763,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -829,7 +812,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -875,7 +857,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1051,7 +1032,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1231,7 +1211,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1392,7 +1371,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1404,7 +1382,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1424,7 +1401,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1476,8 +1452,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1721,9 +1695,6 @@
"If the destination system has snapshots but they do not have any data in common with the source snapshots, destroy all destination snapshots and do a full replication. Warning: enabling this option can cause data loss or excessive data transfer if the replication is misconfigured.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1786,7 +1757,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1815,7 +1785,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1832,7 +1801,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -1978,7 +1946,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2019,7 +1986,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2062,7 +2028,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2091,7 +2056,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2237,7 +2201,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2245,7 +2208,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2371,7 +2333,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2492,7 +2453,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2566,7 +2526,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2589,9 +2548,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2673,9 +2629,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2719,7 +2672,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2753,7 +2705,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -2931,7 +2882,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3184,7 +3134,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3245,7 +3194,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3282,7 +3230,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3344,7 +3291,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3478,12 +3424,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3615,7 +3558,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3917,16 +3859,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -3957,12 +3896,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4074,9 +4009,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4106,9 +4038,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4118,7 +4048,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4138,8 +4067,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -4206,7 +4133,6 @@
"Dataset: ": "Grupo de Dados: ",
"A User Access Token for Box. An access token enables Box to verify a request belongs to an authorized session. Example token: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.": "Um Token de acesso de usuário para Box. Um token de acesso permite Box verificar que uma solicitação pertence a uma sessão autorizada. Examplo de token: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "Uma mensagem con instruções de verificação foi enviada para o novo endereço de email. Por favor, verifique o endereço de email antes de continuar.",
- "A pool with this name already exists.": "Uma piscina com esse nome já existe.",
"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.": "Um unico limite de largura de banda ou cronograma de limite de largura de banda em formato rclone. Separe as entradas pressionando Enter
. Exemplo: 08:00,512 12:00,10MB 13:00,512 18:00,30MB 23:00,off. Unidades podem ser especificadas com a primeira letra: b, k (padrão), M, or G. Veja rclone --bwlimit.",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "Um bloco com tamanho menor pode reduzir a performance sequencial e a eficiencia do I/O.",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "Uma atualização do sistema está em andamento. Talvez esteja sendo executada em outra janela ou por uma fonte externa como o TrueCommand.",
@@ -4236,8 +4162,6 @@
"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.",
- "First vdev has {n} disks, new vdev has {m}": "O primeiro vdev tem {n} discos, novo dispositivo virtual tem {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "O primeiro vdev é {vdevType}, o novo dispositivo virtual está {newVdevType}",
"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.",
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "Se {vmName} Ainda está rodando, O Sistema Operacional Convidado não respondeu como esperado. é possível usar a opção Desligar ou Forçar parada depois do tempo esgotado para parar a Máquina Virtual.",
diff --git a/src/assets/i18n/pt.json b/src/assets/i18n/pt.json
index 29dd7ce48c3..a4d0834baa8 100644
--- a/src/assets/i18n/pt.json
+++ b/src/assets/i18n/pt.json
@@ -56,12 +56,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -118,7 +115,6 @@
"Add To Trusted Store": "",
"Add Unix (NFS) Share": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add a new bucket to your Storj account.": "",
"Add bucket": "",
"Add catalog to system even if some trains are unhealthy.": "",
@@ -178,7 +174,6 @@
"Appdefaults Auxiliary Parameters": "",
"Append @realm to cn in LDAP queries for both groups and users when User CN is set).": "",
"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.": "",
- "Application Events": "",
"Application Metadata": "",
"Applications allow you to extend the functionality of the TrueNAS server beyond traditional Network Attached Storage (NAS) workloads, and as such are not covered by iXsystems software support contracts unless explicitly stated. Defective or malicious applications can lead to data loss or exposure, as well possible disruptions of core NAS functionality.\n\n iXsystems makes no warranty of any kind as to the suitability or safety of using applications. Bug reports in which applications are accessing the same data and filesystem paths as core NAS sharing functionality may be closed without further investigation.": "",
"Apply Quotas to Selected Groups": "",
@@ -189,7 +184,6 @@
"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 reboot system after downloading.": "",
- "Apps (Legacy)": "",
"Are you sure you want to delete catalog \"{name}\"?": "",
"Are you sure you want to delete cronjob \"{name}\"?": "",
"Are you sure you want to delete static route \"{name}\"?": "",
@@ -284,7 +278,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -478,7 +471,6 @@
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create New Primary Group": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create a custom ACL": "",
"Create a new Target or choose an existing target for this share.": "",
@@ -491,7 +483,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -527,7 +518,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -561,7 +551,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
"Default Gateway": "",
@@ -666,7 +655,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain Account Name": "",
"Domain Account Password": "",
@@ -823,7 +811,6 @@
"Encode information in less space than the original data occupies. It is recommended to choose a compression algorithm that balances disk performance with the amount of saved space.
LZ4 is generally recommended as it maximizes performance and dynamically identifies the best files to compress.
GZIP options range from 1 for least compression, best performance, through 9 for maximum compression with greatest performance impact.
ZLE is a fast algorithm that only eliminates runs of zeroes.": "",
"Encrypted Datasets": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -985,7 +972,6 @@
"Exclude specific child datasets from the snapshot. Use with recursive snapshots. List paths to any child datasets to exclude. Example: pool1/dataset1/child1. A recursive snapshot of pool1/dataset1 will include all child datasets except child1. Separate entries by pressing Enter
.": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1003,7 +989,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1049,16 +1034,12 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Finding Pools": "",
"Finding pools to import...": "",
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1237,9 +1218,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1315,7 +1293,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -1416,7 +1393,6 @@
"Log In To Provider": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -1443,7 +1419,6 @@
"Manage Certificates": "",
"Manage Cloud Sync Tasks": "",
"Manage Datasets": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage NFS Shares": "",
@@ -1475,7 +1450,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -1496,7 +1470,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"MiB. Units smaller than MiB are not allowed.": "",
"Microsoft Onedrive Access Token. Log in to the Microsoft account to add an access token.": "",
@@ -1594,7 +1567,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -1602,7 +1574,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -1715,7 +1686,6 @@
"Operation will change permissions on path: {path}": "",
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -1881,7 +1851,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -1968,9 +1937,6 @@
"Renew Certificate Days Before Expiry": "",
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2006,7 +1972,6 @@
"Required unless Enable password login is No. Passwords cannot contain a ?.": "",
"Reserved for Dataset": "",
"Reserved for Dataset & Children": "",
- "Reset Layout": "",
"Reset Step": "",
"Reset Zoom": "",
"Reset configuration": "",
@@ -2027,7 +1992,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -2170,7 +2134,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -2393,7 +2356,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -2444,7 +2406,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Sparse": "",
"Special": "",
"Special Allocation class, used to create Fusion pools. Optional VDEV type which is used to speed up metadata and small block IO.": "",
@@ -2472,7 +2433,6 @@
"Start time for the replication task.": "",
"Start {service} Service": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -2518,7 +2478,6 @@
"Submitting a bug?": "",
"Subnet mask of the IPv4 address.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Support >16 groups": "",
"Swap Size": "",
"Switch To Wizard": "",
@@ -2639,12 +2598,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -2775,7 +2731,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3005,7 +2960,6 @@
"Verify Credential": "",
"Verify Email Address": "",
"Verify certificate authenticity.": "",
- "Version Info": "",
"Version to be upgraded to": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
@@ -3013,7 +2967,6 @@
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -3039,12 +2992,8 @@
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
"Wait to start VM until VNC client connects.": "",
"Waiting for Active TrueNAS controller to come up...": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -3139,9 +3088,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
"form instead": "",
@@ -3177,7 +3123,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -3197,8 +3142,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -3308,8 +3251,6 @@
"Add User Quotas": "Adicionar Quotas de Utilizador",
"Add VDEV": "Adicionar VDEV",
"Add VM Snapshot": "Adicionar Instantâneo VM",
- "Add Vdev": "Adicionar Vdev",
- "Add Vdevs": "Adicionar Vdevs",
"Add Windows (SMB) Share": "Adicionar Partilha (SMB) Windows",
"Add Zvol": "Adicionar Zvol",
"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.": "Adicione mais opções sshd_config(5) não visíveis nest ecran. Insirar uma opção por linha. As opções diferenciam maiúsculas de minúsculas. Erros ortográficos podem impedir que o serviço SSH seja iniciado.",
@@ -3319,11 +3260,8 @@
"Add new": "Adicionar novo",
"Add this user to additional groups.": "Adicione este utilizador a grupos adicionais.",
"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.": "Os discos adicionados são apagados e a pool é estendida para os novos discos com a topologia escolhida. Os dados existentes na pool são mantidos intactos.",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "Adicionar Vdevs a uma pool criptografada redefine a senha e a chave de recuperação!.",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "Adicionar catálogos grandes pode levar alguns minutos. Por favor, verifique o progresso no Gestor de Tarefas.",
"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.": "Opções adicionais de smartctl(8).",
- "Additional Data VDevs to Create": "VDevs de dados adicionais para criar",
"Additional Domains": "Domínios Adicionais",
"Additional Domains:": "Domínios Adicionais:",
"Additional Hardware": "Hardware Adicional",
@@ -3468,15 +3406,12 @@
"Auxiliary Parameters (ups.conf)": "Parâmetros Auxiliares (ups.conf)",
"Auxiliary Parameters (upsd.conf)": "Parâmetros Auxiliares (upsd.conf)",
"Available": "Disponível",
- "Available Applications": "Aplicações Disponíveis",
"Available Apps": "APPS Disponíveis",
- "Available Disks": "Discos Disponíveis",
"Available Memory:": "Memória Disponível",
"Available Resources": "Recursos Disponíveis",
"Available Space": "Espaço Disponível",
"Available Space Threshold (%)": "Limite de espaço disponível (%)",
"Available version:\n": "Versão \n disponível",
- "Available version: {version}": "Versão disponível: {version}",
"Average Disk Temperature": "Temperatura Média do Disco",
"Avg Usage": "Utilização Média",
"Back": "Para trás",
@@ -3575,7 +3510,6 @@
"Country": "País",
"Country Code": "Código de País",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.",
- "Create": "Criar",
"Create Home Directory": "Crie uma Pasta de Raiz",
"Create New": "Crie um novo",
"Create Pool": "Criar Pool",
@@ -3712,7 +3646,6 @@
"Error:": "Erro:",
"Error: ": "Erro: ",
"Errors": "Erros",
- "Estimated raw capacity:": "Capacidade bruta estimada:",
"Exec": "Executar",
"Export Read Only": "Exportar só para leitura",
"Export Recycle Bin": "Exportar Reciclagem",
@@ -3807,7 +3740,6 @@
"Install Application": "Instalar Aplicação",
"Installation Media": "Suporte de Instalação",
"Installed": "Instalado",
- "Installed Applications": "Aplicações instaladas",
"Installed Apps": "Apps instaladas",
"Installing": "Instalando",
"Interface Description": "Descrição da Interface",
@@ -3817,7 +3749,6 @@
"Invalid file": "Ficheiro inválido",
"Invalid format. Expected format: =": "Formato Inválido. Formato esperado: =",
"Invalid image": "Imagem inválida",
- "Invalid regex filter": "Filtro regex inválido",
"Jan": "Jan",
"Job {job} Completed Successfully": "Trabalho {job} concluído com sucesso",
"Jobs": "Trabalhos",
@@ -3975,7 +3906,6 @@
"Periodic Snapshot Tasks": "Tarefas de Snapshots Periódicos",
"Platform": "Platforma",
"Please wait": "Por favor aguarde",
- "Pool Manager": "Gestor de Pools",
"Pool Status": "Estado da Pool",
"Pool status is {status}": "Estado da piscina é {status}",
"Port": "Porta",
@@ -3991,9 +3921,6 @@
"Production": "Produção",
"Profile": "Perfil",
"Quota for this dataset": "Quota para este dataset",
- "Raid-z": "RAID-Z",
- "Raid-z2": "RAID-Z2",
- "Raid-z3": "RAID-Z3",
"Read": "Ler",
"Read Only": "Apenas Leitura",
"Read-only": "Apenas Leitura",
@@ -4232,7 +4159,6 @@
"Validate Remote Path": "Validar Caminho Remoto",
"Value": "Valor",
"Version": "Versão",
- "Versions": "Versões",
"Virtual CPUs": "CPUs Virtuais",
"Virtualization": "Virtualização",
"Waiting": "Á espera",
@@ -4259,7 +4185,5 @@
"details": "detalhes",
"last run {date}": "Última execução {data}",
"or": "ou",
- "selected": "selecionado",
- "total": "total",
"total available": "total disponível"
}
\ No newline at end of file
diff --git a/src/assets/i18n/ro.json b/src/assets/i18n/ro.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/ro.json
+++ b/src/assets/i18n/ro.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/ru.json b/src/assets/i18n/ru.json
index 4141f3cabec..1c77acb1ce5 100644
--- a/src/assets/i18n/ru.json
+++ b/src/assets/i18n/ru.json
@@ -36,9 +36,7 @@
"{disk} has been detached.": "",
"Currently following GPU(s) have been isolated:
{gpus}
": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"ACL Editor": "",
"ACL Types & ACL Modes": "",
"ACME DNS-Authenticators": "",
@@ -118,7 +116,6 @@
"Add VDEV": "",
"Add VM Snapshot": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add a new bucket to your Storj account.": "",
"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.": "",
@@ -130,7 +127,6 @@
"Add new": "",
"Add the required no. of disks to get a vdev size estimate": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional Domains:": "",
"Additional Kerberos application settings. See the \"appdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "",
"Additional Kerberos library settings. See the \"libdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "",
@@ -191,7 +187,6 @@
"Apply Owner": "",
"Apply To Groups": "",
"Apply To Users": "",
- "Apps (Legacy)": "",
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{cert}\"?": "",
"Are you sure you want to delete address {ip}?": "",
@@ -235,7 +230,6 @@
"Available Apps": "",
"Available Resources": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back to Discover Page": "",
@@ -376,7 +370,6 @@
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
- "Create Pool (Legacy)": "",
"Create Virtual Machine": "",
"Create a new Target or choose an existing target for this share.": "",
"Create a new home directory for user within the selected path.": "",
@@ -385,7 +378,6 @@
"Create empty source dirs on destination after sync": "",
"Create more data VDEVs like the first.": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Cron Jobs": "",
"Cron job created": "",
"Cron job updated": "",
@@ -432,7 +424,6 @@
"De-duplication tables are stored on this special VDEV type. These VDEVs must be sized to X GiB for each X TiB of general storage.": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default Checksum Warning": "",
"Default Route": "",
"Default TrueNAS controller": "",
@@ -511,7 +502,6 @@
"Do not enable ALUA on TrueNAS unless it is also supported by and enabled on the client computers. ALUA only works when enabled on both the client and server.": "",
"Do not save": "",
"Do you want to configure the ACL?": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain:": "",
"Domains": "",
@@ -659,7 +649,6 @@
"Exclude specific child dataset snapshots from the replication. Use with Recursive snapshots. List child dataset names to exclude. Separate entries by pressing Enter
. Example: pool1/dataset1/child1. A recursive replication of pool1/dataset1 snapshots includes all child dataset snapshots except child1.": "",
"Exclude specific child datasets from the snapshot. Use with recursive snapshots. List paths to any child datasets to exclude. Example: pool1/dataset1/child1. A recursive snapshot of pool1/dataset1 will include all child datasets except child1. Separate entries by pressing Enter
.": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -670,7 +659,6 @@
"Export Key": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Extend session": "",
"Extents": "",
"Extra Constraints": "",
@@ -695,8 +683,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finished Resilver on {date}": "",
@@ -792,9 +778,6 @@
"If downloading a file returns the error \"This file has been identified as malware or spam and cannot be downloaded\" with the error code \"cannotDownloadAbusiveFile\" then enable this flag to indicate you acknowledge the risks of downloading the file and TrueNAS will download it anyway.": "",
"If the Hex key type is chosen, an encryption key will be auto-generated.": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Import CA": "",
@@ -852,7 +835,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items per page": "",
"Job {job} Completed Successfully": "",
"Jobs": "",
@@ -981,7 +963,6 @@
"Matching regular expression": "",
"Mathematical instruction sets that determine how plaintext is converted into ciphertext. See Advanced Encryption Standard (AES) for more details.": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Transmission Unit, the largest protocol data unit that can be communicated. The largest workable MTU size varies with network interfaces and equipment. 1500 and 9000 are standard Ethernet MTU sizes. Leaving blank restores the field to the default value of 1500.": "",
@@ -1080,7 +1061,6 @@
"No Pods Found": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -1088,7 +1068,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -1180,7 +1159,6 @@
"Open Ticket": "",
"Open TrueCommand User Interface": "",
"Operation will change permissions on path: {path}": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
"Options cannot be loaded": "",
@@ -1299,7 +1277,6 @@
"Provisioning Type": "",
"Provisioning URI (includes Secret - Read only):": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -1317,9 +1294,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Raw Filesize": "",
"Re-Open": "",
@@ -1364,7 +1338,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat first Vdev": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
"Replacing disk {name}": "",
@@ -1408,7 +1381,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -1514,7 +1486,6 @@
"Select Bug when reporting an issue or Suggestion when requesting new functionality.": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a preset ACL": "",
"Select a preset configuration for the share. This applies predetermined values and disables changing some share options.": "",
@@ -1607,7 +1578,6 @@
"Show QR": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -1664,7 +1634,6 @@
"Start session time": "",
"Start {service} Service": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static route added": "",
"Static route deleted": "",
@@ -1785,12 +1754,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The hostname or IP address of the LDAP server. Separate entries by pressing Enter
.": "",
"The imported pool contains encrypted datasets, unlock them now?": "",
@@ -1888,7 +1854,6 @@
"This process continues in the background after closing this dialog.": "",
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -2081,16 +2046,13 @@
"Verbose Logging": "",
"Verify": "",
"Verify Email Address": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -2112,11 +2074,7 @@
"WARNING: These unknown processes will be terminated while exporting the pool.": "",
"Waiting": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -2196,9 +2154,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -2224,9 +2179,7 @@
"pbkdf2iters": "",
"pigz (all rounder)": "",
"plzip (best compression)": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"zle (runs of zeros)": "",
@@ -2235,7 +2188,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -2255,8 +2207,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -2319,7 +2269,6 @@
"Dataset: ": "Набор данных: ",
"A User Access Token for Box. An access token enables Box to verify a request belongs to an authorized session. Example token: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.": "Токен доступа пользователя для Box. токен доступа позволяет Box проверять принадлежность запроса к авторизованному сеансу. Пример токена: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "На новый адрес электронной почты было отправлено сообщение с инструкциями по подтверждению. Пожалуйста, подтвердите адрес электронной почты, прежде чем продолжить.",
- "A pool with this name already exists.": "Пул с таким именем уже существует.",
"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.": "Одиночное ограничение пропускной способности или расписание ограничения пропускной способности в формате rclone. Разделяйте записи, нажимая Enter
. Пример: 08:00,512 12:00,10MB 13:00,512 18:00,30MB 23:00,off Samp>. Единицы могут быть указаны суффиксом: b, k (по умолчанию), M или G. См. rclone --bwlimit .",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "Меньший размер блока может снизить производительность последовательного ввода-вывода и эффективность использования пространства.",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "Выполняется обновление системы. Возможно, оно было запущено в другом окне или из внешнего источника, такого как TrueCommand.",
@@ -2365,16 +2314,12 @@
"Add Group": "Добавить группу",
"Add Idmap": "Добавить Idmap",
"Add Sysctl": "Добавить Sysctl",
- "Add Vdev": "Добавить Vdev",
- "Add Vdevs": "Добавить Vdev'ы",
"Add Zvol": "Добавить zvol",
"Add any notes about this zvol.": "Добавьте любые заметки об этом zvol.",
"Add this user to additional groups.": "Добавить этого пользователя в дополнительные группы.",
"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.": "Добавленные диски стираются, затем пул расширяется на новые диски с выбранной топологией. Существующие данные в пуле сохраняются.",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "Добавление Vdevs в зашифрованный пул сбрасывает ключевую фразу и ключ восстановления!",
"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 Data VDevs to Create": "Дополнительные данные VDevs для создания",
"Additional Domains": "Дополнительные домены",
"Additional Hardware": "Дополнительное оборудование",
"Additional domains to search. Separate entries by pressing Enter
. Adding search domains can cause slow DNS lookups.": "Дополнительные домены для поиска. Разделяйте записи, нажимая Enter
. Добавление поисковых доменов может привести к медленному поиску DNS.",
@@ -2453,7 +2398,6 @@
"Any notes about initiators.": "Любые заметки об инициаторах.",
"Appdefaults Auxiliary Parameters": "Вспомогательный параметры Appdefaults",
"Append @realm to cn in LDAP queries for both groups and users when User CN is set).": "Добавлять @realm к cn в запросах LDAP для групп и пользователей, если задан User CN).",
- "Application Events": "События приложения",
"Application Key": "Ключ приложения",
"Application Name": "Имя приложения",
"Applications are not running": "Приложения не запущены",
@@ -2513,8 +2457,6 @@
"Auxiliary Parameters (ups.conf)": "Вспомогательные параметры (ups.conf)",
"Auxiliary Parameters (upsd.conf)": "Вспомогательные параметры (upsd.conf)",
"Available": "Доступно",
- "Available Applications": "Доступные приложения",
- "Available Disks": "Доступные диски",
"Available Memory:": "Доступная память:",
"Available Space": "Доступно места",
"Available Space Threshold (%)": "Порог доступного пространства (%)",
@@ -2582,7 +2524,6 @@
"CSR exists on this system": "CSR существует на этой системе",
"CSRs": "CSRы",
"Cache": "Кэш",
- "Cache VDev": "VDev кэша",
"Caches": "Кэши",
"Cancel": "Отмена",
"Cancel any pending Key synchronization.": "Отменить любую ожидающую синхронизацию ключа.",
@@ -2735,7 +2676,6 @@
"Country": "Страна",
"Country Code": "Код страны",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Код страны должен содержать действительный ISO 3166-1 alpha-2 код из двух заглавных букв.",
- "Create": "Создать",
"Create ACME Certificate": "Создать сертификат ACME",
"Create Pool": "Создать пул",
"Create Snapshot": "Создать снимок",
@@ -2772,7 +2712,6 @@
"Data Encipherment": "Шифрование данных",
"Data Protection": "Защита данных",
"Data Quota": "Квота данных",
- "Data VDevs": "VDev данных",
"Data not available": "Данные не доступны",
"Data not provided": "Данные не предоставлены",
"Data transfer security. The connection is authenticated with SSH. Data can be encrypted during transfer for security or left unencrypted to maximize transfer speed. Encryption is recommended, but can be disabled for increased speed on secure networks.": "Безопасность передачи данных. Соединение аутентифицируется с помощью SSH, после чего данные могут быть зашифрованы во время передачи для максимальной защиты или оставлены незашифрованными для максимизации скорости передачи. Передача данных без шифрования рекомендуется только для защищенных сетей.",
@@ -2977,7 +2916,6 @@
"Encrypted Datasets": "Зашифрованные наборы данных",
"Encryption": "Шифрование",
"Encryption (more secure, but slower)": "Шифрование (более безопасно, но медленнее)",
- "Encryption Algorithm": "Алгоритм шифрования",
"Encryption Key": "Ключ шифрования",
"Encryption Mode": "Режим шифрования",
"Encryption Options": "Параметры шифрования",
@@ -3089,7 +3027,6 @@
"Errors": "Ошибки",
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "Для установления соединения необходимо, чтобы в одной из систем были открыты порты TCP. Выберите, какая система (LOCAL или REMOTE) будет открывать порты. Обратитесь в ИТ-отдел, чтобы определить, каким системам разрешено открывать порты.",
"Estimated data capacity available after extension.": "Расчетная емкость данных доступна после расширения.",
- "Estimated raw capacity:": "Расчетная сырая емкость:",
"Estimated total raw data capacity": "Расчетная общая емкость сырых данных",
"Everything is fine": "Всё хорошо",
"Excellent effort": "Отличное усилие",
@@ -3136,8 +3073,6 @@
"Finding Pools": "Поиск пулов",
"Finding pools to import...": "Поиск пулов для импорта ...",
"Finished": "Закончен",
- "First vdev has {n} disks, new vdev has {m}": "Первый vdev имеет {n} дисков, новый vdev имеет {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "Первый vdev - {vdevType}, новый vdev - {newVdevType}",
"Fix Credential": "Исправить учетные данные",
"Flags": "Флаги",
"Flags Type": "Тип флагов",
@@ -3320,7 +3255,6 @@
"Install Application": "Установить приложение",
"Install Manual Update File": "Установить файл ручного обновления",
"Installation Media": "Установочный носитель",
- "Installed Applications": "Установленные приложения",
"Installing": "Установка",
"Interface": "Интерфейс",
"Interface Description": "Описание интерфейса",
@@ -3334,7 +3268,6 @@
"Interval": "Интервал",
"Invalid IP address": "Неверный IP-адрес",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "Неверный список сетевых адресов. Проверьте наличие опечаток или отсутствие сетевых масок CIDR и отделяйте адреса, нажимая Enter
.",
- "Invalid regex filter": "Неверное регулярное выражение фильтра",
"Invalid value. Missing numerical value or invalid numerical value/unit.": "Неверное значение. Отсутствует числовое значение или неверное числовое значение/единица.",
"Invalid value. Valid values are numbers followed by optional unit letters, like 256k
or 1 G
or 2 MiB
.": "Неверное значение. Допустимые значения - это числа, за которыми следуют необязательные единичные буквы, такие как 256k code> или 1 G
или 2 MiB
.",
"Issuer": "Поставщик",
@@ -3407,7 +3340,6 @@
"Log": "Журнал",
"Log Level": "Уровень журнала",
"Log Out": "Выйти",
- "Log VDev": "VDev журнала",
"Logging Level": "Уровень журналирования",
"Logical Block Size": "Размер логического блока",
"Login Attempts": "Попытки входа",
@@ -3426,7 +3358,6 @@
"Manage": "Управление",
"Manage Catalogs": "Управление каталогами",
"Manage Configuration": "Управление настройками",
- "Manage Docker Images": "Управление Docker-образами",
"Manage SED Passwords": "Управление паролями SED",
"Manual": "Вручную",
"Manual Update": "Ручное обновление",
@@ -3452,7 +3383,6 @@
"Memory Size": "Объем памяти",
"Message verbosity level in the replication task log.": "Метод передачи снимка: - SSH поддерживается большинством систем. Для этого требуется предварительно созданное SSH-соединение.
- SSH+NETCAT использует SSH для установления соединения с системой назначения, затем использует py-libzfs для отправки незашифрованного потока данных для более высоких скоростей передачи. Это работает только при репликации на FreeNAS, TrueNAS или другую систему с установленным py-libzfs.
- LOCAL реплицирует снимки в другой набор данных в том же наборе system.
- LEGACY использует устаревший механизм репликации из FreeNAS 11.2 и более ранних версий.
",
"Metadata": "Метаданные",
- "Metadata VDev": "Метаданные VDev",
"Method": "Метод",
"Metrics": "Показатель",
"Microsoft Onedrive Access Token. Log in to the Microsoft account to add an access token.": "Microsoft Onedrive токен доступа. Войдите в учетную запись Microsoft, чтобы добавить токен доступа.",
@@ -3601,7 +3531,6 @@
"Please wait": "Пожалуйста, подождите",
"Pool": "Пул",
"Pool Available Space Threshold (%)": "Порог доступного места для пула (%)",
- "Pool Manager": "Менеджер пула",
"Pool Status": "Статус пула",
"Pool/Dataset": "Пул/Набор данных",
"Pools": "Пулы",
@@ -3672,8 +3601,6 @@
"Remove Keep Flag": "Убрать флаг сохранения",
"Rename": "Переименовывать",
"Renew Certificate Days": "Дни обновления сертификата",
- "Repeat Data VDev": "Повторить VDev данных",
- "Repeat Vdev": "Повторить VDev",
"Replace": "Заменить",
"Replacing Boot Pool Disk": "Замена диска загрузочного пула",
"Replacing Disk": "Заменяю диск",
@@ -3696,7 +3623,6 @@
"Reserved space for this dataset and all children": "Зарезервированное место для этого набора данных и всех его производных",
"Reset Config": "Сбросить конфигурацию",
"Reset Configuration": "Сбросить конфигурацию",
- "Reset Layout": "Сбросить макет",
"Reset system configuration to default settings. The system will restart to complete this operation. You will be required to reset your password.": "Сброс конфигурации системы до настроек по умолчанию. Система перезагрузится, чтобы завершить эту операцию. Вам нужно будет сбросить пароль.",
"Reset to Defaults": "Сбросить до значений по умолчанию",
"Resetting system configuration to default settings. The system will restart.": "Сброс конфигурации системы к настройкам по умолчанию. Система перезагрузится.",
@@ -3965,7 +3891,6 @@
"Space-delimited list of allowed IP addresses (192.168.1.10) or hostnames (www.freenas.com). Leave empty to allow all.": "Разделенный пробелами список разрешенных IP-адресов (192.168.1.10) или имен хостов (www.freenas.com). Оставьте пустым, чтобы разрешить все.",
"Space-delimited list of allowed networks in network/mask CIDR notation. Example: 1.2.3.0/24. Leave empty to allow all.": "Разделенный пробелами список разрешенных сетей в нотации сети/маски CIDR. Пример: 1.2.3.0/24. Оставьте пустым, чтобы разрешить все.",
"Spaces are allowed.": "Пробелы разрешены.",
- "Spare VDev": "Резервный VDev",
"Spares": "Резерв",
"Sparse": "Разреженный",
"Specify a size and value such as 10 GiB.": "Укажите размер и значение, например 10 GiB.",
@@ -4004,7 +3929,6 @@
"Subnet mask of the IPv4 address.": "Маска подсети IPv4-адреса.",
"Success": "Успех",
"Successfully saved proactive support settings.": "Успешно сохранены настройки проактивной поддержки.",
- "Suggest Layout": "Предложить макет",
"Sun": "Вс",
"Support": "Поддержка",
"Support >16 groups": "Поддержка >16 групп",
diff --git a/src/assets/i18n/sk.json b/src/assets/i18n/sk.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/sk.json
+++ b/src/assets/i18n/sk.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/sl.json b/src/assets/i18n/sl.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/sl.json
+++ b/src/assets/i18n/sl.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/sq.json b/src/assets/i18n/sq.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/sq.json
+++ b/src/assets/i18n/sq.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/sr-latn.json b/src/assets/i18n/sr-latn.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/sr-latn.json
+++ b/src/assets/i18n/sr-latn.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/sr.json b/src/assets/i18n/sr.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/sr.json
+++ b/src/assets/i18n/sr.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/strings.json b/src/assets/i18n/strings.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/strings.json
+++ b/src/assets/i18n/strings.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/sv.json b/src/assets/i18n/sv.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/sv.json
+++ b/src/assets/i18n/sv.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/sw.json b/src/assets/i18n/sw.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/sw.json
+++ b/src/assets/i18n/sw.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/ta.json b/src/assets/i18n/ta.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/ta.json
+++ b/src/assets/i18n/ta.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/te.json b/src/assets/i18n/te.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/te.json
+++ b/src/assets/i18n/te.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/th.json b/src/assets/i18n/th.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/th.json
+++ b/src/assets/i18n/th.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/tr.json b/src/assets/i18n/tr.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/tr.json
+++ b/src/assets/i18n/tr.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/tt.json b/src/assets/i18n/tt.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/tt.json
+++ b/src/assets/i18n/tt.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/udm.json b/src/assets/i18n/udm.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/udm.json
+++ b/src/assets/i18n/udm.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/uk.json b/src/assets/i18n/uk.json
index 2fede14a8ee..a8b7916d1e7 100644
--- a/src/assets/i18n/uk.json
+++ b/src/assets/i18n/uk.json
@@ -9,7 +9,6 @@
"ACL Types & ACL Modes": "",
"Add Allowed Initiators (IQN)": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add the required no. of disks to get a vdev size estimate": "",
"Adding data VDEVs of different types is not supported.": "",
"Advanced Replication Creation": "",
@@ -20,7 +19,6 @@
"An instance of this app already installed. Click the badge to see installed apps.": "",
"Application Metadata": "",
"Applications allow you to extend the functionality of the TrueNAS server beyond traditional Network Attached Storage (NAS) workloads, and as such are not covered by iXsystems software support contracts unless explicitly stated. Defective or malicious applications can lead to data loss or exposure, as well possible disruptions of core NAS functionality.\n\n iXsystems makes no warranty of any kind as to the suitability or safety of using applications. Bug reports in which applications are accessing the same data and filesystem paths as core NAS sharing functionality may be closed without further investigation.": "",
- "Apps (Legacy)": "",
"Are you sure you want to delete catalog \"{name}\"?": "",
"Are you sure you want to delete cronjob \"{name}\"?": "",
"Are you sure you want to delete static route \"{name}\"?": "",
@@ -53,7 +51,6 @@
"Configure 2FA secret": "",
"Confirmation": "",
"Continue with the upgrade": "",
- "Create Pool (Legacy)": "",
"Create a recommended formation of VDEVs in a pool.": "",
"Create more data VDEVs like the first.": "",
"Cron job created": "",
@@ -87,7 +84,6 @@
"Error In Cluster": "",
"Error counting eligible snapshots.": "",
"Est. Usable Raw Capacity": "",
- "Existing Pool (Legacy)": "",
"Filesystem": "",
"For example if you set this value to 5, system will renew certificates that expire in 5 days or less.": "",
"Global 2FA": "",
@@ -279,9 +275,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"form instead": "",
"last run {date}": "",
"never ran": "",
@@ -371,11 +364,8 @@
"Dataset: ": " Набір даних: ",
"A User Access Token for Box. An access token enables Box to verify a request belongs to an authorized session. Example token: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.": "Струмок доступу користувача для Box. токен доступу дозволяє Box перевіряти належність запиту до авторизованого сеансу. Приклад токена: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "На нову адресу електронної пошти було надіслано повідомлення з інструкціями на підтвердження. Будь ласка, підтвердіть адресу електронної пошти, перш ніж продовжити.",
- "A pool with this name already exists.": "Пул з цією назвою вже існує.",
"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.": "Поодиноке обмеження пропускної спроможності або розклад обмеження пропускної спроможності у форматі rclone. Розділяйте записи, натискаючи Enter
. Приклад: 08:00,512 12:00,10MB 13:00,512 18:00,30MB 23:00,off Samp>. Одиниці можуть бути вказані з суфіксом b, k (за замовчуванням), M або G. Див. rclone --bwlimit .",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "Менший розмір блоку може знизити продуктивність послідовного введення-виведення та ефективність використання простору.",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "Vdev смугового журналу може призвести до втрати даних, якщо він виходить з ладу разом із відключенням електроенергії.",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "Смужка {vdevType} vdev вкрай не рекомендується, і в разі невдачі призведе до втрати даних",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "Система оновлюється. Можливо, оновлення було запущено в іншому вікні або із зовнішнього джерела, наприклад, TrueCommand.",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "Унікальне ім'я для визначення цієї пари ключів. Автоматично згенеровані пари ключів називаються на честь об'єкта, який згенерував пару ключів з додаванням \"Key\" до імені.",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "Ім'я користувача у системі FTP Host. Цей користувач вже повинен існувати на FTP-хості.",
@@ -495,8 +485,6 @@
"Add User Quotas": "Додати квоти користувачів",
"Add VDEV": "Додати VDEV",
"Add VM Snapshot": "Додати знімок віртуальної машини",
- "Add Vdev": "Додати Vdev",
- "Add Vdevs": "Додати Vdev'и",
"Add Windows (SMB) Share": "Додати спільний доступ Windows (SMB).",
"Add Zvol": "Додати Zvol",
"Add a new bucket to your Storj account.": "Додати новий бакет до вашого облікового запису Storj.",
@@ -510,11 +498,8 @@
"Add new": "Додати",
"Add this user to additional groups.": "Додати цього користувача до додаткових груп.",
"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.": "Додані диски стираються, а потім пул розширюється на нові диски з обраною топологією. Існуючі дані у пулі зберігаються.",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "Додавання VDev до зашифрованого пулу скидає ключову фразу та ключ відновлення!",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "Додавання великих каталогів може зайняти декілька хвилин. Будь ласка, перевіряйте процес в диспетчері завдань.",
"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 Data VDevs to Create": "Додаткові дані VDevs для створення",
"Additional Domains": "Додаткові домени",
"Additional Domains:": "Додаткові домени:",
"Additional Hardware": "Додаткове обладнання",
@@ -637,7 +622,6 @@
"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 a> сторінка посібника для списку підтримуваних макросів. Шлях підключення **повинен** бути встановлений перед підключенням клієнта.",
"Application": "Додаток",
- "Application Events": "Події програми",
"Application Info": "Інформація про додаток",
"Application Key": "Ключ програми",
"Application Name": "Назва програми",
@@ -735,15 +719,12 @@
"Auxiliary Parameters (ups.conf)": "Допоміжні параметри (UPS.conf)",
"Auxiliary Parameters (upsd.conf)": "Допоміжні параметри (UPSD.conf)",
"Available": "Доступно",
- "Available Applications": "Доступні програми",
"Available Apps": "Доступні додатки",
- "Available Disks": "Доступні диски",
"Available Memory:": "Доступна пам'ять:",
"Available Resources": "Доступні ресурси",
"Available Space": "Доступно місця",
"Available Space Threshold (%)": "Поріг доступного простору (%)",
"Available version:\n": "Доступна версія:",
- "Available version: {version}": "Доступна версія: {version}",
"Average Disk Temperature": "Середня температура диска",
"Avg Usage": "Сер. використання",
"Back": "Назад",
@@ -844,7 +825,6 @@
"CSRs": "CSR",
"Cache": "Кеш",
"Cache VDEVs": "Кеш VDEVs",
- "Cache VDev": "VDev кеш",
"Caches": "Кеш",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "Можна встановити 0, залишити порожнім, щоб TrueNAS призначав порт під час запуску віртуальної машини, або встановити фіксований бажаний номер порту.",
"Can not retrieve response": "Неможливо отримати відповідь",
@@ -1075,7 +1055,6 @@
"Country": "Країна",
"Country Code": "Код країни",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Код країни повинен містити дійсний ISO 3166-1 код alpha-2 код з двох великих літер.",
- "Create": "Створити",
"Create ACME Certificate": "Створити сертифікат ACME",
"Create Boot Environment": "Створити завантажувальне середовище",
"Create Home Directory": "Створити домашній каталог",
@@ -1093,7 +1072,6 @@
"Create new disk image": "Створити новий образ диска",
"Create or Choose Block Device": "Створити або вибрати блочний пристрій",
"Create pool": "Створити пул",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "Створити {vdevs} нових {vdevType} даних vdev, використовуючи {used} ({size}) {type} і залишивши {remaining} цих дисків невикористаними.",
"Created Date": "Дата створення",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "Створює моментальні знімки набору даних, навіть якщо в останньому моментальному знімку не було змін набору даних. Рекомендується для створення точок довгострокового відновлення, кількох завдань миттєвих знімків, спрямованих на одні й ті ж набори даних, або для забезпечення сумісності з розкладами миттєвих знімків або реплікаціями, створеними в TrueNAS 11.2 і раніше версіях.
Наприклад, допускається використання порожніх моментальних знімків для щомісячного моментального знімка. Розклад дозволяє робити цей щомісячний знімок, навіть якщо щоденне завдання знімка вже зробило знімок будь-яких змін у наборі даних.",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "Створення або редагування sysctl негайно оновлює змінну до налаштованого значення. Перезапуск необхідний для застосування параметрів loader або rc.conf. Налаштовані параметри, що настроюються, залишаються чинними доти, доки не будуть видалені або не буде знято позначку Увімкнено.",
@@ -1138,7 +1116,6 @@
"Data Protection": "Захист даних",
"Data Quota": "Квота даних",
"Data VDEVs": "Дані VDEVs",
- "Data VDevs": "Дані VDev",
"Data Written": "Дані записано",
"Data not available": "Дані недоступні",
"Data not provided": "Дані не надані",
@@ -1180,7 +1157,6 @@
"Decipher Only": "Тільки розшифрувати",
"Dedup": "Декопія",
"Dedup VDEVs": "Декопія VDEVs",
- "Dedup VDev": "Декопія VDev",
"Default": "За замовчуванням",
"Default ACL Options": "Параметри ACL за замовчуванням",
"Default Checksum Warning": "Попередження контрольної суми за умовчанням",
@@ -1347,7 +1323,6 @@
"Do not set this if the Serial Port is disabled.": "Не встановлюйте це, якщо послідовний порт відключений.",
"Do you want to configure the ACL?": "Бажаєте налаштувати ACL?",
"Docker Host": "Docker Хост",
- "Docker Registry Authentication": "Аутентифікація реєстру Docker",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "Чи потрібен вашому бізнесу рівень підприємства підтримка та послуги? Щоб дізнатися більше, зверніться до iXsystems інформації.",
"Domain": "Домен",
"Domain Account Name": "Обліковий запис домену",
@@ -1521,7 +1496,6 @@
"Encrypted Datasets": "Зашифровані набори даних",
"Encryption": "Шифрування",
"Encryption (more secure, but slower)": "Шифрування (безпечніше, але повільніше)",
- "Encryption Algorithm": "Алгоритм шифрування",
"Encryption Key": "Ключ шифрування",
"Encryption Key Format": "Формат ключа шифрування",
"Encryption Key Location in Target System": "Розташування ключа шифрування в цільовій системі",
@@ -1678,7 +1652,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "Для встановлення з'єднання необхідно, щоб в одній із систем були відкриті порти TCP. Виберіть, яка система (LOCAL або REMOTE) відкриватиме порти. Зверніться до ІТ-відділу, щоб визначити, яким системам дозволено відкривати порти.",
"Estimated Raw Capacity": "Розрахункова необроблена ємність",
"Estimated data capacity available after extension.": "Обчислена ємність даних доступна після розширення.",
- "Estimated raw capacity:": "Розрахункова сира ємність:",
"Estimated total raw data capacity": "Обчислена загальна ємність необроблених даних",
"Everything is fine": "Все добре",
"Example: blob.core.usgovcloudapi.net": "Приклад: blob.core.usgovcloudapi.net",
@@ -1709,7 +1682,6 @@
"Export/Disconnect Pool": "Експортувати/Відключити пул",
"Export/disconnect pool: {pool}": "Експорт/відключення пулу: {pool}",
"Exported": "Експортовано",
- "Exported Pool": "Експортований пул",
"Exporting Pool": "Пул експортується",
"Exporting/disconnecting will continue after services have been managed.": "Експорт/вимкнення продовжиться після того, як служби керуватимуться.",
"Expose zilstat via SNMP": "Відображати Zilstat через SNMP",
@@ -1760,8 +1732,6 @@
"Filter Users": "Фільтрувати користувачів",
"Filter by Disk Size": "Фільтрувати за розміром диска",
"Filter by Disk Type": "Фільтрувати за типом диска",
- "Filter disks by capacity": "Фільтрувати диски за ємністю",
- "Filter disks by name": "Фільтрувати диски за назвою",
"Filter {item}": "Фільтр {item}",
"Filters": "Фільтри",
"Finding Pools": "Пошук пулів",
@@ -1769,8 +1739,6 @@
"Finished": "Завершений",
"Finished Resilver on {date}": "Завершено Resilver {date}",
"Finished Scrub on {date}": "Завершено очистку на {date}",
- "First vdev has {n} disks, new vdev has {m}": "Перший vdev має {n} дисків, новий vdev має {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "Перший vdev - {vdevType}, новий vdev - {newVdevType}",
"Fix Credential": "Виправити облікові дані",
"Fix database": "Виправити базу даних",
"Flags": "Флаги",
@@ -1996,9 +1964,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "Якщо {vmName} ще запущено, гостьова ОС не відповідає, як очікується. Для зупинки віртуальної машини можна використовувати Power Off або Force Stop After Timeout.",
"Ignore Builtin": "Ігнорувати BUILTIN",
"Image ID": "Ідентифікатор зображення",
- "Image Name": "Назва зображення",
- "Image Size": "Розмір зображення",
- "Image Tag": "Тег зображення",
"Images ( to be updated )": "Зображення (для оновлення)",
"Images not to be deleted": "Зображення, які не видаляються",
"Immediately connect to TrueCommand.": "Одразу підключитися до TrueCommand.",
@@ -2051,7 +2016,6 @@
"Install Manual Update File": "Встановити файл оновлення вручну",
"Installation Media": "Інсталяційний носій",
"Installed": "Встановлено",
- "Installed Applications": "Встановлені програми",
"Installed Apps": "Встановлені програми",
"Installed Catalogs": "Встановлені каталоги",
"Installer image file": "Файл образу інсталятора",
@@ -2077,7 +2041,6 @@
"Invalid format or character": "Недійсний формат або символ",
"Invalid image": "Недійне зображення",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "Невірний список мережевих адрес. Перевірте наявність помилок або відсутність мережних масок CIDR і відокремлюйте адреси, натискаючи Enter
.",
- "Invalid regex filter": "Неправильний регулярний вираз фільтра",
"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 ": "Недійсне значення. Має бути менше або дорівнювати",
@@ -2091,7 +2054,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "Здається, ви ще не налаштували спільні ресурси SMB. Натисніть кнопку нижче, щоб додати спільний доступ до SMB.",
"It seems you haven't setup any {item} yet.": "Здається, ви ще не налаштували {item}.",
"Item": "Елемент",
- "Item Name": "Назва елементу",
"Items Delete Failed": "Видалити елементи не вдалося",
"Items deleted": "Елементи видалено",
"Jan": "Січ",
@@ -2221,7 +2183,6 @@
"Log Out": "Вийти",
"Log Path": "Шлях журналу",
"Log VDEVs": "Журнал VDEVs",
- "Log VDev": "VDev журналу",
"Log in to Gmail to set up Oauth credentials.": "Увійдіть у Gmail, щоб встановити облікові дані OAuth.",
"Logged In To Jira": "Увійшли в Jira",
"Logging Level": "Рівень логування",
@@ -2261,7 +2222,6 @@
"Manage Datasets": "Керувати наборами даних",
"Manage Devices": "Керувати пристроями",
"Manage Disks": "Керувати дисками",
- "Manage Docker Images": "Управління Docker-образами",
"Manage Global SED Password": "Керувати глобальним паролем SED",
"Manage Group Quotas": "Керувати груповими квотами",
"Manage Installed Apps": "Керування встановленими програмами",
@@ -2301,7 +2261,6 @@
"Mattermost username.": "Імʼя користувача, Mattermost.",
"Max Poll": "Макс. опитування",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "Максимальна кількість вкладених наборів даних у ZFS обмежена 50. Ми вже досягли цього ліміту в шляху батьківського набору даних. Більше вкладених наборів даних за цим шляхом створити неможливо.",
- "Max length allowed for pool name is 50": "Максимально допустима довжина імені пулу – 50",
"Maximize Enclosure Dispersal": "Максимальне розсіювання корпусу",
"Maximum Passive Port": "Максимальний пасивний порт",
"Maximum Transmission Unit, the largest protocol data unit that can be communicated. The largest workable MTU size varies with network interfaces and equipment. 1500 and 9000 are standard Ethernet MTU sizes. Leaving blank restores the field to the default value of 1500.": "Максимальна одиниця передачі, найбільша одиниця даних протоколу, яку можна передати. Найбільший працездатний розмір MTU залежить від мережевого інтерфейсу та обладнання. 1500 і 9000 є стандартними розмірами Ethernet MTU. Якщо залишити порожнім, у полі буде відновлено стандартне значення 1500.",
@@ -2328,7 +2287,6 @@
"Metadata": "Метадані",
"Metadata (Special) Small Block Size": "Метадані (спеціальні) невеликий розмір блоку",
"Metadata VDEVs": "Метадані VDEVs",
- "Metadata VDev": "Метадані VDev",
"Method": "Метод",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "Спосіб передачі знімка: - SSH підтримується більшістю систем. Для цього потрібне попередньо створене з’єднання в Система > З’єднання SSH.
- SSH+NETCAT використовує SSH для встановлення з’єднання з системою призначення, а потім використовує < a href=\"https://github.com/truenas/py-libzfs\" target=\"_blank\">py-libzfs для надсилання незашифрованого потоку даних для вищої швидкості передачі. Це працює лише під час реплікації на TrueNAS або іншу систему з інстальованою py-libzfs.
- LOCAL ефективно копіює знімки в інший набір даних у тій же системі без використання мережі.
- LEGACY використовує застарілий механізм реплікації від FreeNAS 11.2 і раніших версій.
",
"Metrics": "Показник",
@@ -2462,14 +2420,12 @@
"No Pools": "Немає пулів",
"No Pools Found": "Пули не знайдено",
"No Propagate Inherit": "Без поширення успадкування",
- "No Recent Events": "Немає останніх подій",
"No S.M.A.R.T. test results": "Без S.M.A.R.T. результати випробувань",
"No S.M.A.R.T. tests have been performed on this disk yet.": "Без S.M.A.R.T. на цьому диску ще проводилися тести.",
"No SMB Shares have been configured yet": "Спільні ресурси SMB ще не налаштовано",
"No Safety Check (CAUTION)": "Немає перевірки безпеки (ОБЕРЕЖНО)",
"No Search Results.": "Немає результатів пошуку.",
"No Traffic": "Немає трафіку",
- "No Version": "Немає версії",
"No active interfaces are found": "Активних інтерфейсів не знайдено",
"No arguments are passed": "Аргументів не передано",
"No containers are available.": "Контейнери відсутні.",
@@ -2589,7 +2545,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "Необов'язковий опис. Порталам автоматично присвоюється числова група.",
"Optional user-friendly name.": "Додаткова зручна назва.",
"Optional. Enter a server description.": "За бажанням. Введіть опис сервера.",
- "Optional. Only needed for private images.": "Додатково. Потрібно лише для приватних зображень.",
"Optional: CPU Set (Examples: 0-3,8-11)": "Додатково: набір ЦП (Приклади: 0-3,8-11)",
"Optional: Choose installation media image": "Необов'язково: Виберіть інсталяційний образ носія",
"Optional: NUMA nodeset (Example: 0-1)": "Необов’язково: NUMA вузол (приклад: 0-1)",
@@ -2706,7 +2661,6 @@
"Pool": "Пул",
"Pool Available Space Threshold (%)": "Поріг доступного місця для пулу (%)",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "Пул дисків має {alerts} сповіщень і {smartTest} невдалих S.M.A.R.T. тестів",
- "Pool Manager": "Менеджер пулу",
"Pool Options for {pool}": "Параметри пулу для {pool}",
"Pool Status": "Статус пулу",
"Pool contains {status} Data VDEVs": "Пул містить {status} Data VDEV",
@@ -2777,7 +2731,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "Загальнодоступна IP-адреса або ім'я хоста. Встановіть, якщо клієнти FTP не можуть підключитися через пристрій NAT.",
"Public Key": "Відкритий ключ",
"Pull": "Тягнути",
- "Pull Image": "Витягнути зображення",
"Pulling...": "Стягнення ...",
"Purpose": "Призначення",
"Push": "Відправити",
@@ -2794,9 +2747,6 @@
"REMOTE": "ВІДДАЛЕНИЙ",
"REQUIRE": "ВИМАГАТИ",
"RPM": "RPM",
- "Raid-z": "Raid-z",
- "Raid-z2": "Raid-z2",
- "Raid-z3": "Raid-z3",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "Випадково згенеруйте ключ шифрування для захисту цього набору даних. Для вимкнення потрібно вручну визначити ключ шифрування.
ПОПЕРЕДЖЕННЯ: ключ шифрування є єдиним способом розшифрувати інформацію, що зберігається в цьому наборі даних. Зберігайте ключ шифрування в надійному місці.",
"Range High": "Вершина діапазону",
"Range Low": "Низ діапазону",
@@ -2876,9 +2826,6 @@
"Renew Secret": "Оновити секрет",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "Оновлення секретного коду призведе до створення нового URI та нового QR-коду, що змусить вас оновити ваш двофакторний пристрій або програму.",
"Reorder": "Змінити порядок",
- "Repeat Data VDev": "Повторіть дані VDev",
- "Repeat Vdev": "Повторіть vDev",
- "Repeat first Vdev": "Повторити перший Vdev",
"Replace": "Замінити",
"Replace Disk": "Замінити диск",
"Replace existing dataset properties with these new defined properties in the replicated files.": "Замініть існуючі властивості набору даних цими новими визначеними властивостями в реплікованих файлах.",
@@ -2918,7 +2865,6 @@
"Reset": "Скинути",
"Reset Config": "Скинутии конфігурацію",
"Reset Configuration": "Скинути конфігурацію",
- "Reset Layout": "Скинути макет",
"Reset Search": "Скинути пошук",
"Reset Zoom": "Скинути масштаб",
"Reset system configuration to default settings. The system will restart to complete this operation. You will be required to reset your password.": "Скидання конфігурації системи до стандартних налаштувань. Система перезавантажиться, щоб завершити цю операцію. Вам потрібно буде скинути пароль.",
@@ -2946,7 +2892,6 @@
"Restrict share visibility to users with read or write access to the share. See the smb.conf manual page.": "Обмежити видимість спільного ресурсу користувачам із доступом на читання або запис до спільного ресурсу. Перегляньте сторінку посібника smb.conf .",
"Restricted": "Обмежений",
"Retention": "Утримання",
- "Retrieving catalog": "Отримання каталогу",
"Return to pool list": "Повернутися до списку пулів",
"Revert Changes": "Повернути зміни",
"Revert Network Interface Changes": "Скасувати зміни мережевого інтерфейсу",
@@ -3113,7 +3058,6 @@
"Select Disk Type": "Виберіть тип диска",
"Select Existing Zvol": "Виберіть існуючий Zvol",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "Виберіть IP-адреси для прослуховування запитів NFS. Залиште порожнім, щоб NFS прослуховувала всі доступні адреси. Статичні IP-адреси потрібно налаштувати в інтерфейсі, щоб вони відображалися в списку.",
- "Select Image Tag": "Виберіть тег зображення",
"Select Pool": "Вибрати пул",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "Виберіть алгоритм стиснення, щоб зменшити розмір даних, що реплікуються. Відображається лише в тому випадку, якщо для Transport вибрано тип SSH.",
"Select a dataset for the new zvol.": "Виберіть набір даних для нового ZVOL.",
@@ -3354,7 +3298,6 @@
"Show Text Console without Password Prompt": "Показати текстову консоль без запиту пароля",
"Show all available groups, including those that do not have quotas set.": "Показати всі доступні групи, включно з тими, для яких не встановлено квоти.",
"Show all available users, including those that do not have quotas set.": "Показати всіх доступних користувачів, у тому числі тих, для яких не встановлено квоти.",
- "Show disks with non-unique serial numbers": "Показати диски з неунікальними серійними номерами",
"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.": "Показ додаткових стовпців у таблиці корисний для фільтрації даних, але може спричинити проблеми з продуктивністю.",
@@ -3410,7 +3353,6 @@
"Spaces are allowed.": "Пробіли допускаються.",
"Spare": "Запасний",
"Spare VDEVs": "Запасні VDev",
- "Spare VDev": "Резервний VDev",
"Spares": "Резерв",
"Sparse": "Розподілений",
"Specifies the auxiliary directory service ID provider.": "Визначає постачальника ідентифікатора допоміжної служби каталогів.",
@@ -3445,7 +3387,6 @@
"Starting": "Запуск",
"State": "Стан",
"Stateful Sets": "Набори із збереженням стану",
- "Statefulsets": "Набори стану",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "Статичні IP-адреси, які SMB прослуховує підключення. Залишення всіх невибраних параметрів за замовчуванням для прослуховування на всіх активних інтерфейсах.",
"Static IPv4 address of the IPMI web interface.": "Статичний IPv4-Adris веб-інтерфейсу IPMI.",
"Static Routes": "Статичні маршрути",
@@ -3501,7 +3442,6 @@
"Successfully saved IPMI settings.": "Налаштування IPMI успішно збережено.",
"Successfully saved proactive support settings.": "Успішно збережено активні налаштування підтримки.",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "Успішно збережено налаштування {n, plural, one {диску} other {дисків}}.",
- "Suggest Layout": "Запропонувати макет",
"Suggestion": "Пропозиція",
"Summary": "Сумарно",
"Sun": "Вс",
@@ -3630,11 +3570,8 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "Файлова система {filesystemName} — {filesystemDescription}, а сховище даних {datastoreName} — {datastoreDescription}. Це правильно?",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "Наступні зміни до цього ресурсу SMB вимагають перезапуску служби SMB, перш ніж вони набудуть чинності.",
"The following datasets cannot be unlocked.": "Наступні набори даних неможливо розблокувати.",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "Наступні диски є частиною поточних експортованих пулів (вказано поруч із назвами дисків). Повторне використання цих дисків призведе до неможливості імпорту долучених експортованих пулів. Ви втратите всі дані в цих пулах. Будь ласка, переконайтеся, що для будь-яких конфіденційних даних у зазначених пулах створено резервні копії перед повторним використанням/перепрофілюванням цих дисків.",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "Наступні { n, plural, one {application} other {# applications} } буде оновлено. Ви впевнені, що бажаєте продовжити?",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "{ n, plural, one {середовище завантаження} other {#середовища завантаження} } буде видалено. Ви впевнені, що бажаєте продовжити?",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "{ n, plural, one {docker image} other {# docker images} } буде видалено. Ви впевнені, що бажаєте продовжити?",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "{ n, plural, one {docker image} other {# docker images} } буде оновлено. Ви впевнені, що бажаєте продовжити?",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "{ n, plural, one {Знімок} other {#Знімки} } буде видалено. Ви впевнені, що бажаєте продовжити?",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "Дружнє ім’я для відображення перед адресою електронної пошти. Приклад: Система зберігання 01<it@example.com>",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "Група, яка контролює набір даних. Ця група має ті самі дозволи, що і group@ Who. Групи, створені вручну або імпортуються з послуги каталогу, відображаються у меню, що розкривається.",
@@ -3766,7 +3703,6 @@
"This share is configured through TrueCommand": "Цей спільний ресурс налаштовується через TrueCommand",
"This system cannot communicate externally.": "Ця система не може спілкуватися ззовні.",
"This system will restart when the update completes.": "Ця система перезапуститься після завершення оновлення.",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "Цей тип VDEV вимагає принаймні {n, plural, one {# диск} other {# дисків}}.",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "Це значення представляє пороговий розмір блоку для включення невеликих блоків файлів до спеціального класу розподілу. Блоки, менші або рівні цьому значенню, будуть призначені спеціальному класу розподілу, тоді як більші блоки будуть призначені звичайному класу. Дійсними значеннями є нуль або ступінь двійки від 512B до 1M. Розмір за замовчуванням дорівнює 0, що означає, що невеликі блоки файлів не будуть розміщені в спеціальному класі. Перед установкою цієї властивості до пулу необхідно додати спеціальний клас vdev. Докладнішу інформацію про спеціальний розподіл",
"Thread #": "Ядро #",
"Thread responsible for syncing db transactions not running on other node.": "Потік, відповідальний за синхронізацію транзакцій бази даних, які не працюють на іншому вузлі.",
@@ -4048,16 +3984,13 @@
"Verify Email Address": "Підтвердіть електронну адресу",
"Verify certificate authenticity.": "Перевірте достовірність сертифікату.",
"Version": "Версія",
- "Version Info": "Інформація про версію",
"Version to be upgraded to": "Версія, яка повинна бути оновлена до",
- "Versions": "Версії",
"Video, < 100ms latency": "Відео, < 100 мс затримка",
"Video, < 10ms latency": "Відео, < 10 мс затримка",
"View All": "Подивитись все",
"View All S.M.A.R.T. Tests": "Переглянути всі S.M.A.R.T. Тести",
"View All Scrub Tasks": "View All Scrub Tasks",
"View All Test Results": "Перегляньте всі результати тестування",
- "View Catalog": "Переглянути каталог",
"View Disk Space Reports": "Перегляд звітів про дисковий простір",
"View Enclosure": "Переглянути корпус",
"View Logs": "Переглянути журнали",
@@ -4087,12 +4020,8 @@
"Waiting for Active TrueNAS controller to come up...": "Очікування на активний контролер TrueNAS ...",
"Warning": "Увага",
"Warning!": "УВАГА!",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "Попередження: доступно {n} USB-дисків, які мають неунікальні серійні номери. Контролери USB можуть повідомляти про послідовний номер диска неправильно, через що такі диски неможливо відрізнити один від одного. Додавання таких дисків до пулу може призвести до втрати даних.",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "Попередження: доступно {n} дисків, які мають неунікальні серійні номери. Неунікальні серійні номери можуть бути спричинені проблемою з кабелем, і додавання таких дисків до пулу може призвести до втрати даних.",
"Warning: iSCSI Target is already in use.
": "Попередження: ISCSI Target вже використовується.
",
"Warning: {n} of {total} boot environments could not be deleted.": "Попередження: {n} із {total} середовищ завантаження не вдалося видалити.",
- "Warning: {n} of {total} docker images could not be deleted.": "Попередження: {n} із {total} образів докерів не вдалося видалити.",
- "Warning: {n} of {total} docker images could not be updated.": "Попередження: {n} із {total} образів докерів не вдалося оновити.",
"Warning: {n} of {total} snapshots could not be deleted.": "Попередження: {n} із {total} знімків не вдалося видалити.",
"Weak Ciphers": "Слабкі шифри",
"Web Interface": "Веб інтерфейс",
@@ -4219,9 +4148,7 @@
"plzip (best compression)": "plzip (найкраще стиснення)",
"rpc.lockd(8) bind port": "Порт rpc.lockd(8)",
"rpc.statd(8) bind port": "Порт rpc.statd(8)",
- "selected": "вибраний",
"threads": "треди",
- "total": "всього",
"total available": "всього доступно",
"vdev": "VDev",
"was successfully attached.": "був успішно підключений.",
@@ -4231,7 +4158,6 @@
"zstd-7 (very slow)": "zstd-7 (дуже повільний)",
"zstd-fast (default level, 1)": "zstd-fast (рівень за замовчуванням, 1)",
"{ n, plural, one {# snapshot} other {# snapshots} }": "{ n, plural, one {# знімок} other {# знімки} }",
- "{app} Application Summary": "{app} Короткий опис програми",
"{app} Catalog Summary": "{app} Резюме каталогу",
"{duration} remaining": "Залишилося {duration}",
"{eligible} of {total} existing snapshots of dataset {targetDataset} would be replicated with this task.": "{eligible} із {total} наявних знімків набору даних {targetDataset} буде відтворено з цим завданням.",
@@ -4245,8 +4171,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "{n, plural, one {# GPU} other {# GPU}} ізольовано",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "{n, plural, one {# boot environment} other {# boot environments}} видалено.",
"{n, plural, one {# core} other {# cores}}": "{n, plural, one {# core} other {# cores}}",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "{n, plural, one {# docker image} other {# docker images}} видалено.",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "{n, plural, one {# docker image} other {# docker images}} оновлено.",
"{n, plural, one {# thread} other {# threads}}": "{n, plural, one {# ядро} other {# ядер}}",
"{n}": "{n}",
"{n} (applies to descendants)": "{n} (стосується нащадків)",
diff --git a/src/assets/i18n/vi.json b/src/assets/i18n/vi.json
index 5e3d027fef3..bc303fcde98 100644
--- a/src/assets/i18n/vi.json
+++ b/src/assets/i18n/vi.json
@@ -79,12 +79,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -206,10 +203,7 @@
"Add User Quotas": "",
"Add VDEV": "",
"Add VM Snapshot": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add Windows (SMB) Share": "",
"Add Zvol": "",
"Add a new bucket to your Storj account.": "",
@@ -224,11 +218,8 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
"Additional smartctl(8) options.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains": "",
"Additional Domains:": "",
"Additional Hardware": "",
@@ -357,7 +348,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -388,7 +378,6 @@
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apply updates and reboot system after downloading.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Archive": "",
"Are you sure you want to abort the {task} task?": "",
@@ -465,15 +454,12 @@
"Auxiliary Parameters (ups.conf)": "",
"Auxiliary Parameters (upsd.conf)": "",
"Available": "",
- "Available Applications": "",
"Available Apps": "",
- "Available Disks": "",
"Available Memory:": "",
"Available Resources": "",
"Available Space": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Avg Usage": "",
"Back": "",
@@ -577,7 +563,6 @@
"CSRs": "",
"Cache": "",
"Cache VDEVs": "",
- "Cache VDev": "",
"Caches": "",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "",
"Can not retrieve response": "",
@@ -825,14 +810,12 @@
"Cores": "",
"Country": "",
"Country Code": "",
- "Create": "",
"Create ACME Certificate": "",
"Create Boot Environment": "",
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
"Create Pool": "",
- "Create Pool (Legacy)": "",
"Create Snapshot": "",
"Create Virtual Machine": "",
"Create a custom ACL": "",
@@ -846,7 +829,6 @@
"Create new disk image": "",
"Create or Choose Block Device": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Created Date": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
@@ -896,7 +878,6 @@
"Data Protection": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -942,7 +923,6 @@
"Decipher Only": "",
"Dedup": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -1118,7 +1098,6 @@
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
"Docker Host": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain": "",
"Domain Account Name": "",
@@ -1298,7 +1277,6 @@
"Encrypted Datasets": "",
"Encryption": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
@@ -1459,7 +1437,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "",
"Estimated Raw Capacity": "",
"Estimated data capacity available after extension.": "",
- "Estimated raw capacity:": "",
"Estimated total raw data capacity": "",
"Everything is fine": "",
"Example: blob.core.usgovcloudapi.net": "",
@@ -1471,7 +1448,6 @@
"Exec": "",
"Execute": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1491,7 +1467,6 @@
"Export/Disconnect Pool": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
@@ -1543,8 +1518,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1552,8 +1525,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags": "",
@@ -1791,9 +1762,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
"Ignore Builtin": "",
"Image ID": "",
- "Image Name": "",
- "Image Size": "",
- "Image Tag": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1856,7 +1824,6 @@
"Install Manual Update File": "",
"Installation Media": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1885,7 +1852,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1902,7 +1868,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items deleted": "",
"Items per page": "",
@@ -2048,7 +2013,6 @@
"Log Out": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logging Level": "",
@@ -2089,7 +2053,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -2132,7 +2095,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -2161,7 +2123,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
@@ -2307,7 +2268,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -2315,7 +2275,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -2441,7 +2400,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -2562,7 +2520,6 @@
"Pool Available Space Threshold (%)": "",
"Pool Creation Wizard": "",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "",
- "Pool Manager": "",
"Pool Name": "",
"Pool Options for {pool}": "",
"Pool Status": "",
@@ -2636,7 +2593,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Public Key": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Purpose": "",
"Push": "",
@@ -2659,9 +2615,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2743,9 +2696,6 @@
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
"Reorder": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace": "",
"Replace Disk": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
@@ -2789,7 +2739,6 @@
"Reset": "",
"Reset Config": "",
"Reset Configuration": "",
- "Reset Layout": "",
"Reset Search": "",
"Reset Step": "",
"Reset Zoom": "",
@@ -2823,7 +2772,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -3001,7 +2949,6 @@
"Select Disk Type": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -3254,7 +3201,6 @@
"Show Text Console without Password Prompt": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -3315,7 +3261,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Spares": "",
"Sparse": "",
"Special": "",
@@ -3352,7 +3297,6 @@
"Starting": "",
"State": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static Routes": "",
@@ -3414,7 +3358,6 @@
"Successfully saved proactive support settings.": "",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "",
"Sudo Enabled": "",
- "Suggest Layout": "",
"Suggestion": "",
"Summary": "",
"Sun": "",
@@ -3548,12 +3491,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -3685,7 +3625,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3987,16 +3926,13 @@
"Verify Email Address": "",
"Verify certificate authenticity.": "",
"Version": "",
- "Version Info": "",
"Version to be upgraded to": "",
- "Versions": "",
"Video, < 100ms latency": "",
"Video, < 10ms latency": "",
"View All": "",
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -4027,12 +3963,8 @@
"Waiting for Active TrueNAS controller to come up...": "",
"Warning": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -4144,9 +4076,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -4176,9 +4105,7 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"threads": "",
- "total": "",
"total available": "",
"vdev": "",
"was successfully attached.": "",
@@ -4188,7 +4115,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -4208,8 +4134,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
diff --git a/src/assets/i18n/zh-hans.json b/src/assets/i18n/zh-hans.json
index f0a68a1af86..297eb2db50f 100644
--- a/src/assets/i18n/zh-hans.json
+++ b/src/assets/i18n/zh-hans.json
@@ -13,7 +13,6 @@
"Active: TrueNAS Controller {id}": "",
"Add Allowed Initiators (IQN)": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add the required no. of disks to get a vdev size estimate": "",
"Adding data VDEVs of different types is not supported.": "",
"Agree": "",
@@ -25,7 +24,6 @@
"Application Metadata": "",
"Applications allow you to extend the functionality of the TrueNAS server beyond traditional Network Attached Storage (NAS) workloads, and as such are not covered by iXsystems software support contracts unless explicitly stated. Defective or malicious applications can lead to data loss or exposure, as well possible disruptions of core NAS functionality.\n\n iXsystems makes no warranty of any kind as to the suitability or safety of using applications. Bug reports in which applications are accessing the same data and filesystem paths as core NAS sharing functionality may be closed without further investigation.": "",
"Applications you install will automatically appear here. Click below and browse available apps to get started.": "",
- "Apps (Legacy)": "",
"Are you sure you want to delete address {ip}?": "",
"Are you sure you want to delete catalog \"{name}\"?": "",
"Are you sure you want to delete cronjob \"{name}\"?": "",
@@ -41,7 +39,6 @@
"Automated Disk Selection": "",
"Available Apps": "",
"Available Resources": "",
- "Available version: {version}": "",
"Back to Discover Page": "",
"Bucket Name": "",
"By snapshot creation time": "",
@@ -75,7 +72,6 @@
"Confirmation": "",
"Continue with the upgrade": "",
"Create Home Directory": "",
- "Create Pool (Legacy)": "",
"Create a new home directory for user within the selected path.": "",
"Create a recommended formation of VDEVs in a pool.": "",
"Create more data VDEVs like the first.": "",
@@ -118,7 +114,6 @@
"Error In Cluster": "",
"Error counting eligible snapshots.": "",
"Est. Usable Raw Capacity": "",
- "Existing Pool (Legacy)": "",
"Extend session": "",
"Faulted": "",
"Filesystem": "",
@@ -308,12 +303,8 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"form instead": "",
"of": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{credentialName} (Newly Created)": "",
@@ -402,11 +393,8 @@
"Dataset: ": "数据集:",
"A User Access Token for Box. An access token enables Box to verify a request belongs to an authorized session. Example token: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl.": " Box 的用户访问令牌。访问令牌使Box能够验证请求是否属于授权会话。令牌示例: T9cE5asGnuyYCCqIZFoWjFHvNbvVqHjl 。",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "带有验证说明的消息已发送到新的电子邮件地址,请在继续之前验证电子邮件地址。",
- "A pool with this name already exists.": "具有该名称的池已经存在。",
"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.": "rclone格式的单个带宽限制或带宽限制计划。通过按 Enter
分隔条目。例如:08:00,512 12:00,10MB 13:00,512 18:00,30MB 23:00,off。可以使用开头字母指定单位:b, k(默认),M或G。请参阅rclone --bwlimit 。",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "较小的块大小会降低顺序 I/O 性能和空间效率。",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "如果一个条带日志 vdev 出现故障并断电,则可能会导致数据丢失。",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "非常不鼓励使用条带 {vdevType} vdev,如果失败会导致全部数据丢失",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "正在进行系统更新。 它可能是在另一个窗口中启动的,也可能是由 TrueCommand 等外部源启动的。",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "标识此密钥对的唯一名称。自动生成的密钥对以生成密钥对的对象命名,并在名称后附加\" Key \"。",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "FTP主机系统上的用户名。该用户必须已经存在于FTP主机上。",
@@ -524,8 +512,6 @@
"Add User Quotas": "添加用户配额",
"Add VDEV": "添加 VDEV",
"Add VM Snapshot": "添加VM快照",
- "Add Vdev": "添加Vdev",
- "Add Vdevs": "添加Vdevs",
"Add Windows (SMB) Share": "添加 Windows (SMB) 共享",
"Add Zvol": "添加Zvol",
"Add a new bucket to your Storj account.": "将新存储桶添加到您的 Storj 帐户。",
@@ -539,11 +525,8 @@
"Add new": "新增",
"Add this user to additional groups.": "将此用户添加到其他组。",
"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.": "删除添加的磁盘,然后将池扩展到具有所选拓扑的新磁盘上。池中的现有数据保持不变。",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "将Vdevs添加到加密池中会重置密码和恢复密钥!",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "添加大型目录可能需要几分钟时间。请在任务管理器中查看进度。",
"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 Data VDevs to Create": "要创建的附加数据VDev",
"Additional Domains": "附加域",
"Additional Domains:": "附加域",
"Additional Hardware": "附加硬件",
@@ -666,7 +649,6 @@
"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 Events": "应用事件",
"Application Info": "应用程序信息",
"Application Key": "应用程序密钥",
"Application Name": "应用名称",
@@ -760,8 +742,6 @@
"Auxiliary Parameters (ups.conf)": "附加参数 (ups.conf)",
"Auxiliary Parameters (upsd.conf)": "附加参数 (upsd.conf)",
"Available": "可用的",
- "Available Applications": "可用的应用",
- "Available Disks": "可用磁盘",
"Available Memory:": "可用内存:",
"Available Space": "可用空间",
"Available Space Threshold (%)": "可用空间阈值(%)",
@@ -863,7 +843,6 @@
"CSRs": "CSRs",
"Cache": "缓存",
"Cache VDEVs": "缓存 VDEV",
- "Cache VDev": "缓存VDev",
"Caches": "缓存",
"Can be set to 0, left empty for TrueNAS to assign a port when the VM is started, or set to a fixed, preferred port number.": "可以设置为 0,留空让TrueNAS在虚拟机启动时分配端口,或设置为固定的首选端口号。",
"Can not retrieve response": "无法检索到响应",
@@ -1087,7 +1066,6 @@
"Country": "国家",
"Country Code": "国家代码",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "国家代码必须包含有效的两个大写字母ISO 3166-1 alpha-2 代码。",
- "Create": "创建",
"Create ACME Certificate": "创建ACME证书",
"Create Boot Environment": "创建启动环境",
"Create New": "新建",
@@ -1103,7 +1081,6 @@
"Create new disk image": "创建新磁盘镜像",
"Create or Choose Block Device": "创建或选择块设备",
"Create pool": "创建池",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "使用 {used} ({size}) {type} 创建 {vdevs} 新的 {vdevType} 数据 vdevs,并保留 {remaining} 这些驱动器未使用。",
"Created Date": "创建日期",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "即使最后一个快照的数据集没有更改,也可以创建数据集快照。建议用于创建长期还原点,将多个快照任务指向相同的数据集,或者与在TrueNAS 11.2和更早版本中创建的快照计划或复制兼容。
例如,允许每月快照计划使用空快照,即使每月快照任务已经为数据集的任何更改创建了快照,也可以进行每月创建快照。",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "创建或编辑 sysctl 会立即将变量更新为已配置的值。必须重新启动才能应用 loader 或 rc.conf 可调参数。配置的可调参数将保持有效,直到删除或未设置“启用”为止。",
@@ -1147,7 +1124,6 @@
"Data Protection": "数据保护",
"Data Quota": "数据配额",
"Data VDEVs": "数据 VDEV",
- "Data VDevs": "数据VDev",
"Data Written": "数据写入",
"Data not available": "数据不可用",
"Data not provided": "未提供数据",
@@ -1189,7 +1165,6 @@
"Decipher Only": "仅解密",
"Dedup": "去重",
"Dedup VDEVs": "去重 VDEV",
- "Dedup VDev": "去重VDev",
"Default": "默认",
"Default ACL Options": "默认ACL选项",
"Default Checksum Warning": "默认校验和警告",
@@ -1351,7 +1326,6 @@
"Do not set this if the Serial Port is disabled.": "若已禁用了串行端口,请不要设置此项。",
"Do you want to configure the ACL?": "你想配置 ACL 吗?",
"Docker Host": "Docker 主机",
- "Docker Registry Authentication": "Docker 注册表认证",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "您的企业是否需要 Enterprise level 支持服务? 联系 iXsystems 以获取信息.",
"Domain": "域",
"Domain Account Name": "域账户名",
@@ -1523,7 +1497,6 @@
"Encrypted Datasets": "加密的数据集",
"Encryption": "加密",
"Encryption (more secure, but slower)": "加密(更安全,但速度较慢)",
- "Encryption Algorithm": "加密算法",
"Encryption Key": "加密密钥",
"Encryption Key Format": "加密密钥格式",
"Encryption Key Location in Target System": "目标系统中的加密密钥位置",
@@ -1680,7 +1653,6 @@
"Establishing a connection requires that one of the connection systems has open TCP ports. Choose which system (LOCAL or REMOTE) will open ports. Consult your IT department to determine which systems are allowed to open ports.": "建立连接要求其中一个连接系统具有开放的TCP端口。选择要打开端口的系统(本地或远程)。请咨询您的IT部门,以确定允许哪些系统打开端口。",
"Estimated Raw Capacity": "预计原始容量",
"Estimated data capacity available after extension.": "扩展后可用的估计数据容量。",
- "Estimated raw capacity:": "估计原始容量:",
"Estimated total raw data capacity": "估计总原始数据容量",
"Everything is fine": "一切都很好",
"Example: blob.core.usgovcloudapi.net": "示例:blob.core.usgovcloudapi.net",
@@ -1711,7 +1683,6 @@
"Export/Disconnect Pool": "导出/断开连接池",
"Export/disconnect pool: {pool}": "导出/断开连接池:{pool}",
"Exported": "导出",
- "Exported Pool": "导出池",
"Exporting Pool": "正在导出池",
"Exporting/disconnecting will continue after services have been managed.": "管理完服务后,导出/断开连接将继续。",
"Expose zilstat via SNMP": "通过SNMP公开zilstat",
@@ -1758,15 +1729,11 @@
"Filter": "筛选器",
"Filter Groups": "筛选组",
"Filter Users": "筛选用户",
- "Filter disks by capacity": "按容量筛选磁盘",
- "Filter disks by name": "按名称筛选磁盘",
"Finding Pools": "查找池",
"Finding pools to import...": "正在查找要导入的池...",
"Finished": "已完成",
"Finished Resilver on {date}": "{date}完成重新同步",
"Finished Scrub on {date}": "{date}完成数据清理",
- "First vdev has {n} disks, new vdev has {m}": "第一个vdev拥有 {n} 磁盘,新的vdev具有 {m}",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "第一个vdev是一个 {vdevType},新的vdev是 {newVdevType}",
"Fix Credential": "修复凭证",
"Fix database": "修复数据库",
"Flags": "标记",
@@ -1988,9 +1955,6 @@
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "如果 {vmName} 仍在运行,客机操作系统未按预期响应。可以使用关闭电源或超时后强制停止选项来停止虚拟机。",
"Ignore Builtin": "忽略内置",
"Image ID": "镜像ID",
- "Image Name": "镜像名",
- "Image Size": "图片尺寸",
- "Image Tag": "镜像标签",
"Images ( to be updated )": "镜像(待更新)",
"Images not to be deleted": "不删除的镜像",
"Immediately connect to TrueCommand.": "立即连接到TrueCommand。",
@@ -2047,7 +2011,6 @@
"Install Manual Update File": "安装手动更新文件",
"Installation Media": "安装介质",
"Installed": "已安装",
- "Installed Applications": "已安装应用",
"Installed Apps": "已安装的应用程序",
"Installing": "安装中",
"Interface": "网口",
@@ -2071,7 +2034,6 @@
"Invalid format or character": "无效的格式或字符",
"Invalid image": "不可用的镜像",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "无效的网络地址列表。通过按 Enter code>检查拼写错误或缺少CIDR网络掩码以及单独的地址。",
- "Invalid regex filter": "无效的正则表达式过滤器",
"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 ": "无效值。必须小于或等于",
@@ -2086,7 +2048,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "您似乎还没有设置任何SMB共享。请单击下面的按钮添加SMB共享。",
"It seems you haven't setup any {item} yet.": "您似乎还没有设置任何 {item}。",
"Item": "项目",
- "Item Name": "项目名称",
"Items Delete Failed": "项目删除失败",
"Items deleted": "项目已删除",
"Jan": "一月",
@@ -2222,7 +2183,6 @@
"Log Out": "登出",
"Log Path": "日志路径",
"Log VDEVs": "记录 VDEV",
- "Log VDev": "日志VDev",
"Log in to Gmail to set up Oauth credentials.": "登录到Gmail以设置Oauth密钥。",
"Logged In To Jira": "已经登陆 Jira",
"Logging Level": "日志级别",
@@ -2262,7 +2222,6 @@
"Manage Datasets": "管理数据集",
"Manage Devices": "管理设备",
"Manage Disks": "管理磁盘",
- "Manage Docker Images": "管理Docker镜像",
"Manage Global SED Password": "管理全局 SED 密码",
"Manage Group Quotas": "管理组配额",
"Manage Installed Apps": "管理已安装的应用程序",
@@ -2304,7 +2263,6 @@
"Mattermost username.": "Mattermost用户名。",
"Max Poll": "最大轮询",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "ZFS 中的最大数据集嵌套限制为 50。我们在父数据集路径中已经处于该限制。 无法再在此路径下创建嵌套数据集。",
- "Max length allowed for pool name is 50": "池名称允许的最大长度为 50",
"Maximum Passive Port": "最大被动端口",
"Maximum Transmission Unit, the largest protocol data unit that can be communicated. The largest workable MTU size varies with network interfaces and equipment. 1500 and 9000 are standard Ethernet MTU sizes. Leaving blank restores the field to the default value of 1500.": "最大传输单位,可以通信的最大协议数据单位。最大可用MTU大小随网络接口和设备的不同而不同。 1500 i>和 9000 i>是标准的以太网MTU大小。保留为空白将字段恢复为默认值 1500 i>。",
"Maximum Upload Parts": "最大上传部分",
@@ -2329,7 +2287,6 @@
"Metadata": "元数据",
"Metadata (Special) Small Block Size": "元数据(特殊)小块大小",
"Metadata VDEVs": "元数据 VDEV",
- "Metadata VDev": "元数据VDev",
"Method": "方法",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "快照传输方法: - SSH 被大多数系统支持。 它需要之前在 System > SSH Connections 中创建的连接。
- SSH+NETCAT 使用 SSH 建立到目标系统的连接,然后使用 < a href=\"https://github.com/truenas/py-libzfs\" target=\"_blank\">py-libzfs 发送未加密的数据流以获得更高的传输速度。 这仅在复制到 TrueNAS 或安装了 py-libzfs 的其他系统时有效。
- LOCAL 有效地将快照复制到同一系统上的另一个数据集 无需使用网络。
- LEGACY 使用 FreeNAS 11.2 及更早版本的旧版复制引擎。
",
"Metrics": "指标",
@@ -2463,14 +2420,12 @@
"No Pools": "没有池",
"No Pools Found": "未找到池",
"No Propagate Inherit": "无传播继承",
- "No Recent Events": "没有最近的活动",
"No S.M.A.R.T. test results": "无 S.M.A.R.T. 测试结果",
"No S.M.A.R.T. tests have been performed on this disk yet.": "该硬盘尚未运行过 S.M.A.R.T 检测",
"No SMB Shares have been configured yet": "当前没有配置 SMB 共享",
"No Safety Check (CAUTION)": "没有安全检查(注意)",
"No Search Results.": "没有搜索结果。",
"No Traffic": "无通信",
- "No Version": "无版本",
"No active interfaces are found": "未找到活动接口",
"No arguments are passed": "不传递任何参数",
"No containers are available.": "没有可用的容器。",
@@ -2588,7 +2543,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "可选描述。门户会自动分配一个数字组。",
"Optional user-friendly name.": "可选的用户友好名称。",
"Optional. Enter a server description.": "可选。输入服务器描述。",
- "Optional. Only needed for private images.": "可选的。仅用于私人镜像。",
"Optional: CPU Set (Examples: 0-3,8-11)": "可选:CPU 组(示例:0-3,8-11)",
"Optional: Choose installation media image": "可选:选择安装媒体镜像",
"Optional: NUMA nodeset (Example: 0-1)": "可选:NUMA 节点集(示例:0-1)",
@@ -2706,7 +2660,6 @@
"Pool": "池",
"Pool Available Space Threshold (%)": "池可用空间阈值 (%)",
"Pool Disks have {alerts} alerts and {smartTests} failed S.M.A.R.T. tests": "池磁盘检测到 {alerts} 告警,以及 {smartTests} S.M.A.R.T. 硬盘检测错误",
- "Pool Manager": "池管理器",
"Pool Options for {pool}": "{pool} 的池选项",
"Pool Status": "池状态",
"Pool contains {status} Data VDEVs": "池中含有 {status} 个 VDEV 数据",
@@ -2776,7 +2729,6 @@
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "公网IP地址或域名。设置FTP客户端是否无法通过NAT设备连接。",
"Public Key": "公钥",
"Pull": "拉取",
- "Pull Image": "拉取镜像",
"Pulling...": "拉取中...",
"Purpose": "目的",
"Push": "推送",
@@ -2795,9 +2747,6 @@
"REMOTE": "远程",
"REQUIRE": "REQUIRE",
"RPM": "RPM",
- "Raid-z": "Raid-z(5)",
- "Raid-z2": "Raid-z2(6)",
- "Raid-z3": "Raid-z3(7)",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "随机生成用于保护此数据集的加密密钥。禁用需要手动定义加密密钥。
警告:加密密钥是解密此数据集中存储的信息的唯一方法。务必将加密密钥存储在安全的位置。",
"Range High": "范围高",
"Range Low": "范围低",
@@ -2876,9 +2825,6 @@
"Renew Secret": "更新秘密(Secret)",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "更新秘密(secret)将导致生成新的URI和新的QR代码,因此有必要更新您的双重设备或应用。",
"Reorder": "重新排序",
- "Repeat Data VDev": "重复数据VDev",
- "Repeat Vdev": "重复Vdev",
- "Repeat first Vdev": "重复第一个 Vdev",
"Replace": "更换",
"Replace Disk": "更换磁盘",
"Replace existing dataset properties with these new defined properties in the replicated files.": "使用复制文件中这些新定义的属性替换现有数据集属性。",
@@ -2921,7 +2867,6 @@
"Reset": "重置",
"Reset Config": "重置配置",
"Reset Configuration": "重置配置",
- "Reset Layout": "重置布局",
"Reset Search": "重置搜索",
"Reset Zoom": "重置缩放",
"Reset system configuration to default settings. The system will restart to complete this operation. You will be required to reset your password.": "将系统配置重置为默认设置。系统将重新启动以完成此操作。您将需要重设密码。",
@@ -2949,7 +2894,6 @@
"Restrict share visibility to users with read or write access to the share. See the smb.conf manual page.": "将共享可见性限制为对共享具有读取或写入访问权限的用户。 请参阅 smb.conf 手册页 .",
"Restricted": "受限制的",
"Retention": "保留",
- "Retrieving catalog": "检索目录",
"Return to pool list": "返回池列表",
"Revert Changes": "还原更改",
"Revert Network Interface Changes": "还原网络接口更改",
@@ -3115,7 +3059,6 @@
"Select Disk Type": "选择磁盘类型",
"Select Existing Zvol": "选择已有的 Zvol",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "选择要侦听 NFS 请求的 IP 地址。为 NFS 留空以侦听所有可用地址。需要在接口上配置静态 IP 才能出现在列表中。",
- "Select Image Tag": "选择图像标签",
"Select Pool": "选择池",
"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选择数据集。",
@@ -3357,7 +3300,6 @@
"Show Text Console without Password Prompt": "显示没有密码提示的文本控制台",
"Show all available groups, including those that do not have quotas set.": "显示所有可用组,包括未设置配额的组。",
"Show all available users, including those that do not have quotas set.": "显示所有可用用户,包括未设置配额的用户。",
- "Show disks with non-unique serial numbers": "显示具有非唯一序列号的磁盘",
"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.": "在表中显示额外的列对于数据过滤很有用,但可能会导致性能问题。",
@@ -3414,7 +3356,6 @@
"Spaces are allowed.": "允许使用空格。",
"Spare": "备用",
"Spare VDEVs": "备用 VDEV",
- "Spare VDev": "备用VDev",
"Spares": "备用",
"Sparse": "备用",
"Special": "特殊的",
@@ -3448,7 +3389,6 @@
"Started": "已启动",
"Starting": "正在启动",
"State": "状态",
- "Statefulsets": "有状态集",
"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 Web 界面的静态 IPv4 地址。",
"Static Routes": "静态路由",
@@ -3506,7 +3446,6 @@
"Successfully saved proactive support settings.": "成功保存了主动支持设置。",
"Successfully saved {n, plural, one {Disk} other {Disks}} settings.": "成功保存 {n, plural, 1 {Disk} other {Disks}} 设置。",
"Sudo Enabled": "启用 sudo",
- "Suggest Layout": "建议布局",
"Suggestion": "建议",
"Summary": "概括",
"Sun": "周日",
@@ -3638,11 +3577,8 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "文件系统 {filesystemName} 是 {filesystemDescription},但数据存储区 {datastoreName} 是 {datastoreDescription}。 这个对吗?",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "此 SMB 共享的以下更改需要重新启动 SMB 服务才能生效。",
"The following datasets cannot be unlocked.": "以下数据集无法解锁。",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "以下磁盘是当前导出的池的一部分(在磁盘名称旁边指定)。 重复使用这些磁盘将使附加的导出池无法导入。 您将丢失这些池中的所有数据。 请确保在重新使用/重新利用这些磁盘之前备份所述池中的任何敏感数据。",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "这{ n, plural, 1 {# 个应用} other {# 个应用} } 将被升级,您确定吗?",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "后面的 { n, plural, 1 {boot environment} other {# boot environments} } 将被删除。 您确定要继续吗?",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "以下 { n, plural, 1 {docker image} other {# docker images} } 将被删除。 您确定要继续吗?",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "以下 { n, plural, 1 {docker image} other {# docker images} } 将被更新。 您确定要继续吗?",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "以下{ n, plural, 1 {snapshot} other {# snapshots} }将被删除。 您确定要继续吗?",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "显示在发送电子邮件地址前面的友好名称。示例:存储系统01 <it@example.com>",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "控制数据集的组。该组具有与授予 group @ Who 相同的权限。手动创建或从目录服务导入的组显示在下拉菜单中。",
@@ -3774,7 +3710,6 @@
"This share is configured through TrueCommand": "该共享通过 TrueCommand 配置",
"This system cannot communicate externally.": "该系统无法与外部通信。",
"This system will restart when the update completes.": "更新完成后,该系统将重新启动。",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "这种类型的 VDEV 至少需要 {n, plural, other {# 个磁盘}}。",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "此值表示将小文件块包含到特殊分配类中的阈值块大小。小于或等于此值的块将分配给特殊分配类,而较大的块将分配给常规类。有效值为0或2的幂,从512B到1M。默认大小为0,这意味着不会在特殊类中分配小文件块。在设置此属性之前,必须将一个特殊的类vdev添加到池中。有关更多详细信息,请参阅 zpool(8)特别分配",
"Thread #": "线程 #",
"Thread responsible for syncing db transactions not running on other node.": "负责同步未在其他节点上运行的数据库事务的线程。",
@@ -4053,16 +3988,13 @@
"Verify Email Address": "确认电子邮件地址",
"Verify certificate authenticity.": "验证证书的真实性。",
"Version": "版本",
- "Version Info": "版本信息",
"Version to be upgraded to": "要升级到的版本",
- "Versions": "版本",
"Video, < 100ms latency": "视频,延迟小于100毫秒",
"Video, < 10ms latency": "视频,延迟小于10毫秒",
"View All": "查看全部",
"View All S.M.A.R.T. Tests": "查看所有 S.M.A.R.T.测试",
"View All Scrub Tasks": "查看所有数据清理任务",
"View All Test Results": "查看所有测试结果",
- "View Catalog": "查看目录",
"View Disk Space Reports": "查看磁盘空间报告",
"View Enclosure": "查看机柜",
"View Logs": "查看日志",
@@ -4092,12 +4024,8 @@
"Waiting for Active TrueNAS controller to come up...": "在等待TrueNAS系统启动...",
"Warning": "警告",
"Warning!": "警告!",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "警告:有 {n} 个 USB 磁盘具有非唯一序列号。 USB 控制器可能会错误地报告磁盘序列,从而使这些磁盘彼此无法区分。将此类磁盘添加到池中可能会导致数据丢失。",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "警告:有 {n} 个可用的磁盘具有非唯一的序列号。非唯一序列号可能是由布线问题引起的,将此类磁盘添加到池中可能会导致数据丢失。",
"Warning: iSCSI Target is already in use.
": "警告:iSCSI目标已在使用中。
",
"Warning: {n} of {total} boot environments could not be deleted.": "警告:无法删除 {n} 个,共 {total} 个引导环境。",
- "Warning: {n} of {total} docker images could not be deleted.": "警告:无法删除 {n} 个,共 {total} 个 docker 图像。",
- "Warning: {n} of {total} docker images could not be updated.": "警告:无法更新 {n} 个 docker 镜像,共 {total} 个。",
"Warning: {n} of {total} snapshots could not be deleted.": "警告 {n} 的 {total} 无法删除快照。",
"Weak Ciphers": "弱密码",
"Web Interface": "Web界面",
@@ -4225,9 +4153,7 @@
"plzip (best compression)": "plzip(最佳压缩)",
"rpc.lockd(8) bind port": "rpc.lockd(8) 绑定端口",
"rpc.statd(8) bind port": "rpc.statd(8) 绑定端口",
- "selected": "选择的",
"threads": "线程",
- "total": "总",
"total available": "总可用",
"vdev": "vdev",
"was successfully attached.": "已成功附加。",
@@ -4248,8 +4174,6 @@
"{n, plural, =0 {No Errors} one {# Error} other {# Errors}}": "{n, plural, =0 {No Errors} 1 {# Error} other {# Errors}}",
"{n, plural, =0 {No Tasks} one {# Task} other {# Tasks}} Configured": "{n, plural, =0 {No Tasks} 1 {# Task} other {# Tasks}} 配置",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "{n, plural, 1 {# boot environment} other {# boot environments}} 已被删除",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "{n, plural, 1 {# docker image} other {# docker images}} 已补删除。",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "{n, plural, 1 {# docker image} other {# docker images}} 已更新。",
"{n}": "{n}",
"{n} (applies to descendants)": "{n} (适用于子集)",
"{n} RPM": "{n} 转速",
diff --git a/src/assets/i18n/zh-hant.json b/src/assets/i18n/zh-hant.json
index 27cb648a5c1..6cd82fcc7b7 100644
--- a/src/assets/i18n/zh-hant.json
+++ b/src/assets/i18n/zh-hant.json
@@ -65,12 +65,9 @@
"The system will reboot to perform this operation!
All passwords are reset when the uploaded configuration database file was saved without the Password Secret Seed.
": "",
"Dataset: ": "",
"A message with verification instructions has been sent to the new email address. Please verify the email address before continuing.": "",
- "A pool with this name already exists.": "",
"A smaller block size can reduce sequential I/O performance and space efficiency.": "",
"A stripe log VDEV may result in data loss if it fails combined with a power outage.": "",
- "A stripe log vdev may result in data loss if it fails combined with a power outage.": "",
"A stripe {vdevType} VDEV is highly discouraged and will result in data loss if it fails": "",
- "A stripe {vdevType} vdev is highly discouraged and will result in data loss if it fails": "",
"A system update is in progress. It might have been launched in another window or by an external source like TrueCommand.": "",
"A unique name to identify this keypair. Automatically generated keypairs are named after the object that generated the keypair with \" Key\" appended to the name.": "",
"A username on the FTP Host system. This user must already exist on the FTP Host.": "",
@@ -161,10 +158,7 @@
"Add Unix (NFS) Share": "",
"Add User Quotas": "",
"Add VDEV": "",
- "Add Vdev": "",
- "Add Vdevs": "",
"Add Vdevs to Pool": "",
- "Add Vdevs to Pool (Legacy)": "",
"Add a new bucket to your Storj account.": "",
"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.": "",
"Add bucket": "",
@@ -175,10 +169,7 @@
"Add the required no. of disks to get a vdev size estimate": "",
"Add this user to additional groups.": "",
"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.": "",
- "Adding Vdevs to an encrypted pool resets the passphrase and recovery key!": "",
"Adding data VDEVs of different types is not supported.": "",
- "Adding large catalogs can take minutes. Please check on the progress in Task Manager.": "",
- "Additional Data VDevs to Create": "",
"Additional Domains:": "",
"Additional Hardware": "",
"Additional Kerberos application settings. See the \"appdefaults\" section of [krb.conf(5)]. for available settings and usage syntax.": "",
@@ -271,7 +262,6 @@
"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.": "",
"Application": "",
- "Application Events": "",
"Application Info": "",
"Application Key": "",
"Application Metadata": "",
@@ -296,7 +286,6 @@
"Apply the same quota critical alert settings as the parent dataset.": "",
"Apply the same quota warning alert settings as the parent dataset.": "",
"Apps": "",
- "Apps (Legacy)": "",
"Apr": "",
"Are you sure you want to abort the {task} task?": "",
"Are you sure you want to delete \"{cert}\"?": "",
@@ -357,12 +346,10 @@
"Automatically populated with the original hostname of the system. This name is limited to 15 characters and cannot be the Workgroup name.": "",
"Automatically reboot the system after the update is applied.": "",
"Automatically stop the script or command after the specified seconds.": "",
- "Available Applications": "",
"Available Apps": "",
"Available Resources": "",
"Available Space Threshold (%)": "",
"Available version:\n": "",
- "Available version: {version}": "",
"Average Disk Temperature": "",
"Back to Discover Page": "",
"Back to Support": "",
@@ -603,7 +590,6 @@
"Create Home Directory": "",
"Create New": "",
"Create New Primary Group": "",
- "Create Pool (Legacy)": "",
"Create a custom ACL": "",
"Create a new Target or choose an existing target for this share.": "",
"Create a new home directory for user within the selected path.": "",
@@ -613,7 +599,6 @@
"Create empty source dirs on destination after sync": "",
"Create more data VDEVs like the first.": "",
"Create pool": "",
- "Create {vdevs} new {vdevType} data vdevs using {used} ({size}) {type}s and leaving {remaining} of those drives unused.": "",
"Creates dataset snapshots even when there have been no changes to the dataset from the last snapshot. Recommended for creating long-term restore points, multiple snapshot tasks pointed at the same datasets, or to be compatible with snapshot schedules or replications created in TrueNAS 11.2 and earlier.
For example, allowing empty snapshots for a monthly snapshot schedule allows that monthly snapshot to be taken, even when a daily snapshot task has already taken a snapshot of any changes to the dataset.": "",
"Creating or editing a sysctl immediately updates the Variable to the configured Value. A restart is required to apply loader or rc.conf tunables. Configured tunables remain in effect until deleted or Enabled is unset.": "",
"Critical Extension": "",
@@ -651,7 +636,6 @@
"Data Encipherment": "",
"Data Quota": "",
"Data VDEVs": "",
- "Data VDevs": "",
"Data Written": "",
"Data is identical in each disk. A mirror requires at least two disks, provides the most redundancy, and has the least capacity.": "",
"Data not available": "",
@@ -684,7 +668,6 @@
"Dec": "",
"Decipher Only": "",
"Dedup VDEVs": "",
- "Dedup VDev": "",
"Default": "",
"Default ACL Options": "",
"Default Checksum Warning": "",
@@ -823,7 +806,6 @@
"Do not save": "",
"Do not set this if the Serial Port is disabled.": "",
"Do you want to configure the ACL?": "",
- "Docker Registry Authentication": "",
"Does your business need Enterprise level support and services? Contact iXsystems for more information.": "",
"Domain:": "",
"Domains": "",
@@ -942,7 +924,6 @@
"Encode information in less space than the original data occupies. It is recommended to choose a compression algorithm that balances disk performance with the amount of saved space.
LZ4 is generally recommended as it maximizes performance and dynamically identifies the best files to compress.
GZIP options range from 1 for least compression, best performance, through 9 for maximum compression with greatest performance impact.
ZLE is a fast algorithm that only eliminates runs of zeroes.": "",
"Encrypted Datasets": "",
"Encryption (more secure, but slower)": "",
- "Encryption Algorithm": "",
"Encryption Key Format": "",
"Encryption Key Location in Target System": "",
"Encryption Options Saved": "",
@@ -1094,7 +1075,6 @@
"Exclude specific child datasets from the snapshot. Use with recursive snapshots. List paths to any child datasets to exclude. Example: pool1/dataset1/child1. A recursive snapshot of pool1/dataset1 will include all child datasets except child1. Separate entries by pressing Enter
.": "",
"Exec": "",
"Existing Pool": "",
- "Existing Pool (Legacy)": "",
"Existing presets": "",
"Expand": "",
"Expand Row": "",
@@ -1108,7 +1088,6 @@
"Export ZFS snapshots as Shadow Copies for VSS clients.": "",
"Export/disconnect pool: {pool}": "",
"Exported": "",
- "Exported Pool": "",
"Exporting/disconnecting will continue after services have been managed.": "",
"Expose zilstat via SNMP": "",
"Extend Vdev": "",
@@ -1147,8 +1126,6 @@
"Filter Users": "",
"Filter by Disk Size": "",
"Filter by Disk Type": "",
- "Filter disks by capacity": "",
- "Filter disks by name": "",
"Filter {item}": "",
"Filters": "",
"Finding Pools": "",
@@ -1156,8 +1133,6 @@
"Finished": "",
"Finished Resilver on {date}": "",
"Finished Scrub on {date}": "",
- "First vdev has {n} disks, new vdev has {m}": "",
- "First vdev is a {vdevType}, new vdev is {newVdevType}": "",
"Fix Credential": "",
"Fix database": "",
"Flags Advanced": "",
@@ -1325,7 +1300,6 @@
"If the IPMI out-of-band management interface is on a different VLAN from the management network, enter the IPMI VLAN.": "",
"If the destination system has snapshots but they do not have any data in common with the source snapshots, destroy all destination snapshots and do a full replication. Warning: enabling this option can cause data loss or excessive data transfer if the replication is misconfigured.": "",
"If {vmName} is still running, the Guest OS did not respond as expected. It is possible to use Power Off or the Force Stop After Timeout option to stop the VM.": "",
- "Image Size": "",
"Images ( to be updated )": "",
"Images not to be deleted": "",
"Immediately connect to TrueCommand.": "",
@@ -1375,7 +1349,6 @@
"Install Another Instance": "",
"Install Application": "",
"Installed": "",
- "Installed Applications": "",
"Installed Apps": "",
"Installed Catalogs": "",
"Installer image file": "",
@@ -1397,7 +1370,6 @@
"Invalid image": "",
"Invalid network address list. Check for typos or missing CIDR netmasks and separate addresses by pressing Enter
.": "",
"Invalid or expired OTP. Please try again.": "",
- "Invalid regex filter": "",
"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 ": "",
@@ -1413,7 +1385,6 @@
"It seems you haven't setup any SMB Shares yet. Please click the button below to add an SMB Share.": "",
"It seems you haven't setup any {item} yet.": "",
"Item": "",
- "Item Name": "",
"Items Delete Failed": "",
"Items per page": "",
"Jan": "",
@@ -1523,7 +1494,6 @@
"Log In To Provider": "",
"Log Path": "",
"Log VDEVs": "",
- "Log VDev": "",
"Log in to Gmail to set up Oauth credentials.": "",
"Logged In To Jira": "",
"Logical Block Size": "",
@@ -1556,7 +1526,6 @@
"Manage Datasets": "",
"Manage Devices": "",
"Manage Disks": "",
- "Manage Docker Images": "",
"Manage Global SED Password": "",
"Manage Group Quotas": "",
"Manage Installed Apps": "",
@@ -1591,7 +1560,6 @@
"Mattermost username.": "",
"Max Poll": "",
"Max dataset nesting in ZFS is limited to 50. We are already at that limit in the parent dataset path. It is not possible to create anymore nested datasets under this path.": "",
- "Max length allowed for pool name is 50": "",
"Maximize Dispersal": "",
"Maximize Enclosure Dispersal": "",
"Maximum Passive Port": "",
@@ -1615,7 +1583,6 @@
"Metadata": "",
"Metadata (Special) Small Block Size": "",
"Metadata VDEVs": "",
- "Metadata VDev": "",
"Method of snapshot transfer: - SSH is supported by most systems. It requires a previously created connection in System > SSH Connections.
- SSH+NETCAT uses SSH to establish a connection to the destination system, then uses py-libzfs to send an unencrypted data stream for higher transfer speeds. This only works when replicating to a TrueNAS, or other system with py-libzfs installed.
- LOCAL efficiently replicates snapshots to another dataset on the same system without using the network.
- LEGACY uses the legacy replication engine from FreeNAS 11.2 and earlier.
": "",
"Metrics": "",
"MiB. Units smaller than MiB are not allowed.": "",
@@ -1731,7 +1698,6 @@
"No Pools": "",
"No Pools Found": "",
"No Propagate Inherit": "",
- "No Recent Events": "",
"No S.M.A.R.T. test results": "",
"No S.M.A.R.T. tests have been performed on this disk yet.": "",
"No SMB Shares have been configured yet": "",
@@ -1739,7 +1705,6 @@
"No Search Results.": "",
"No Traffic": "",
"No VDEVs added.": "",
- "No Version": "",
"No active interfaces are found": "",
"No arguments are passed": "",
"No containers are available.": "",
@@ -1855,7 +1820,6 @@
"Optional description. Portals are automatically assigned a numeric group.": "",
"Optional user-friendly name.": "",
"Optional. Enter a server description.": "",
- "Optional. Only needed for private images.": "",
"Optional: CPU Set (Examples: 0-3,8-11)": "",
"Optional: Choose installation media image": "",
"Optional: NUMA nodeset (Example: 0-1)": "",
@@ -1994,7 +1958,6 @@
"Provisioning URI (includes Secret - Read only):": "",
"Public IP address or hostname. Set if FTP clients cannot connect through a NAT device.": "",
"Pull": "",
- "Pull Image": "",
"Pulling...": "",
"Push": "",
"Quota size is too small, enter a value of 1 GiB or larger.": "",
@@ -2010,9 +1973,6 @@
"REMOTE": "",
"REQUIRE": "",
"RPM": "",
- "Raid-z": "",
- "Raid-z2": "",
- "Raid-z3": "",
"Randomly generate an encryption key for securing this dataset. Disabling requires manually defining the encryption key.
WARNING: the encryption key is the only means to decrypt the information stored in this dataset. Store the encryption key in a secure location.": "",
"Range High": "",
"Range Low": "",
@@ -2071,9 +2031,6 @@
"Renew Certificate Days Before Expiry": "",
"Renew Secret": "",
"Renewing the secret will cause a new URI and a new QR code to be generated, making it necessary to update your two-factor device or app.": "",
- "Repeat Data VDev": "",
- "Repeat Vdev": "",
- "Repeat first Vdev": "",
"Replace existing dataset properties with these new defined properties in the replicated files.": "",
"Replacing Boot Pool Disk": "",
"Replacing disk {name}": "",
@@ -2132,7 +2089,6 @@
"Restricted": "",
"Resume Scrub": "",
"Retention": "",
- "Retrieving catalog": "",
"Return to pool list": "",
"Revert Changes": "",
"Revert Network Interface Changes": "",
@@ -2269,7 +2225,6 @@
"Select UEFI for newer operating systems or UEFI-CSM (Compatibility Support Mode) for older operating systems that only support BIOS booting. Grub is not recommended but can be used when the other options do not work.": "",
"Select Existing Zvol": "",
"Select IP addresses to listen to for NFS requests. Leave empty for NFS to listen to all available addresses. Static IPs need to be configured on the interface to appear on the list.": "",
- "Select Image Tag": "",
"Select Pool": "",
"Select VDEV layout. This is the first step in setting up your VDEVs.": "",
"Select a compression algorithm to reduce the size of the data being replicated. Only appears when SSH is chosen for Transport type.": "",
@@ -2488,7 +2443,6 @@
"Show Extra Columns": "",
"Show all available groups, including those that do not have quotas set.": "",
"Show all available users, including those that do not have quotas set.": "",
- "Show disks with non-unique serial numbers": "",
"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.": "",
@@ -2531,7 +2485,6 @@
"Spaces are allowed.": "",
"Spare": "",
"Spare VDEVs": "",
- "Spare VDev": "",
"Sparse": "",
"Special": "",
"Special Allocation class, used to create Fusion pools. Optional VDEV type which is used to speed up metadata and small block IO.": "",
@@ -2560,7 +2513,6 @@
"Started": "",
"Starting": "",
"Stateful Sets": "",
- "Statefulsets": "",
"Static IP addresses which SMB listens on for connections. Leaving all unselected defaults to listening on all active interfaces.": "",
"Static IPv4 address of the IPMI web interface.": "",
"Static route added": "",
@@ -2713,12 +2665,9 @@
"The filesystem {filesystemName} is {filesystemDescription}, but datastore {datastoreName} is {datastoreDescription}. Is this correct?": "",
"The following changes to this SMB Share require the SMB Service to be restarted before they can take effect.": "",
"The following datasets cannot be unlocked.": "",
- "The following disk(s) is/are part of the currently exported pools (specified next to disk names). Reusing these disk will make the attached exported pools unable to import. You will lose any and all data in those pools. Please make sure that any sensitive data in said pools is backed up before reusing/repurposing these disks.": "",
"The following disks have exported pools on them.\n Using those disks will make existing pools on them unable to be imported.\n You will lose any and all data in selected disks.": "",
"The following { n, plural, one {application} other {# applications} } will be upgraded. Are you sure you want to proceed?": "",
"The following { n, plural, one {boot environment} other {# boot environments} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be deleted. Are you sure you want to proceed?": "",
- "The following { n, plural, one {docker image} other {# docker images} } will be updated. Are you sure you want to proceed?": "",
"The following { n, plural, one {snapshot} other {# snapshots} } will be deleted. Are you sure you want to proceed?": "",
"The friendly name to show in front of the sending email address. Example: Storage System 01<it@example.com>": "",
"The group which controls the dataset. This group has the same permissions as granted to the group@ Who. Groups created manually or imported from a directory service appear in the drop-down menu.": "",
@@ -2846,7 +2795,6 @@
"This share is configured through TrueCommand": "",
"This system cannot communicate externally.": "",
"This system will restart when the update completes.": "",
- "This type of VDEV requires at least {n, plural, one {# disk} other {# disks}}.": "",
"This value represents the threshold block size for including small file blocks into the special allocation class. Blocks smaller than or equal to this value will be assigned to the special allocation class while greater blocks will be assigned to the regular class. Valid values are zero or a power of two from 512B up to 1M. The default size is 0 which means no small file blocks will be allocated in the special class. Before setting this property, a special class vdev must be added to the pool. See zpool(8) for more details on the special allocation": "",
"Thread #": "",
"Thread responsible for syncing db transactions not running on other node.": "",
@@ -3090,7 +3038,6 @@
"View All S.M.A.R.T. Tests": "",
"View All Scrub Tasks": "",
"View All Test Results": "",
- "View Catalog": "",
"View Disk Space Reports": "",
"View Enclosure": "",
"View Logs": "",
@@ -3113,12 +3060,8 @@
"Waiting": "",
"Waiting for Active TrueNAS controller to come up...": "",
"Warning!": "",
- "Warning: There are {n} USB disks available that have non-unique serial numbers. USB controllers may report disk serial incorrectly, making such disks indistinguishable from each other. Adding such disks to a pool can result in lost data.": "",
- "Warning: There are {n} disks available that have non-unique serial numbers. Non-unique serial numbers can be caused by a cabling issue and adding such disks to a pool can result in lost data.": "",
"Warning: iSCSI Target is already in use.
": "",
"Warning: {n} of {total} boot environments could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be deleted.": "",
- "Warning: {n} of {total} docker images could not be updated.": "",
"Warning: {n} of {total} snapshots could not be deleted.": "",
"Warnings": "",
"Weak Ciphers": "",
@@ -3207,9 +3150,6 @@
"dRAID1": "",
"dRAID2": "",
"dRAID3": "",
- "dRaid1": "",
- "dRaid2": "",
- "dRaid3": "",
"details": "",
"everyone@": "",
"expires in {n, plural, one {# day} other {# days} }": "",
@@ -3238,7 +3178,6 @@
"plzip (best compression)": "",
"rpc.lockd(8) bind port": "",
"rpc.statd(8) bind port": "",
- "selected": "",
"vdev": "",
"was successfully attached.": "",
"zle (runs of zeros)": "",
@@ -3247,7 +3186,6 @@
"zstd-7 (very slow)": "",
"zstd-fast (default level, 1)": "",
"{ n, plural, one {# snapshot} other {# snapshots} }": "",
- "{app} Application Summary": "",
"{app} Catalog Summary": "",
"{catalog} Catalog": "",
"{count} snapshots found.": "",
@@ -3267,8 +3205,6 @@
"{n, plural, one {# GPU} other {# GPUs}} isolated": "",
"{n, plural, one {# boot environment} other {# boot environments}} has been deleted.": "",
"{n, plural, one {# core} other {# cores}}": "",
- "{n, plural, one {# docker image} other {# docker images}} has been deleted.": "",
- "{n, plural, one {# docker image} other {# docker images}} has been updated.": "",
"{n, plural, one {# thread} other {# threads}}": "",
"{n}": "",
"{n} (applies to descendants)": "",
@@ -3401,7 +3337,6 @@
"Auxiliary Parameters (ups.conf)": "附屬參數 (upsd.conf)",
"Auxiliary Parameters (upsd.conf)": "附屬參數 (upsd.conf)",
"Available": "可用",
- "Available Disks": "可用磁碟",
"Available Memory:": "可用記憶體:",
"Available Space": "可用空間",
"Avg Usage": "平均使用",
@@ -3444,7 +3379,6 @@
"CPU Details": "CPU 細節",
"CPU Mode": "CPU 模式",
"CPU Model": "CPU 型號",
- "Cache VDev": "快取 VDev",
"Caches": "快取",
"Cancel": "取消",
"Case Sensitivity": "區分大小寫",
@@ -3521,7 +3455,6 @@
"Country": "國家",
"Country Code": "國碼",
"Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.": "Country Code must contain a valid ISO 3166-1 alpha-2 code of two capital letters.",
- "Create": "建立",
"Create ACME Certificate": "建立 ACME 憑證",
"Create Pool": "建立儲存集區",
"Create Snapshot": "建立快照",
@@ -3670,7 +3603,6 @@
"Error exporting the certificate": "匯出憑證時發生錯誤",
"Error exporting/disconnecting pool.": "儲存集區在匯出或中斷線線時發生錯誤。",
"Error: ": "錯誤:",
- "Estimated raw capacity:": "估計原始可用容量:",
"Estimated total raw data capacity": "估計總共原始可用容量",
"Exclude": "排除",
"Exclude Child Datasets": "排除子資料集",
@@ -3766,8 +3698,6 @@
"Identifier": "識別名稱",
"Ignore Builtin": "忽略內建",
"Image ID": "映像 ID",
- "Image Name": "映像名稱",
- "Image Tag": "映像標籤",
"Import": "匯入",
"Import Certificate": "匯入憑證",
"Importing pools.": "正在匯入資料集區。",
@@ -3922,7 +3852,6 @@
"Please wait": "請稍候",
"Pool": "儲存集區",
"Pool Available Space Threshold (%)": "儲存集區可用空間臨界值 (%)",
- "Pool Manager": "儲存集區管理",
"Pool Status": "儲存集區狀態",
"Pool/Dataset": "儲存集區/資料集",
"Pools": "儲存集區",
@@ -3987,7 +3916,6 @@
"Reports": "報表",
"Reset Config": "重置設定",
"Reset Configuration": "重置組態",
- "Reset Layout": "重設版面配置",
"Reset to Defaults": "重置為預設值",
"Resilver Priority": "Resilver 優先權",
"Resilvering": "鏡像復原",
@@ -4112,7 +4040,6 @@
"Storage Widgets": "儲存小工具",
"Subject": "主旨",
"Success": "成功",
- "Suggest Layout": "建議配置",
"Support": "支援",
"Support >16 groups": "支援大於 16 個群組",
"Sync": "同步",
@@ -4224,8 +4151,6 @@
"Variable": "變數",
"Verify Credential": "驗證認證",
"Version": "版本",
- "Version Info": "版本資訊",
- "Versions": "版本",
"View/Download Key": "檢視/下載金鑰",
"Virtual CPUs": "虛擬 CPU",
"Virtual Machines": "虛擬機器",
@@ -4260,6 +4185,5 @@
"[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.",
"overview": "概觀",
"threads": "執行緒",
- "total": "總計",
"total available": "總計可用"
}
\ No newline at end of file