feat: add support for all languages from old homarr (#1394)

* feat: add support for all languages from old homarr

* fix: add mantine-react-table translations, remove arabic language

* refactor: change translations to json for better crowdin support

* fix: issues with loading dayjs and mantine-react-table translations

* chore: add additional translations with variables

* fix: format and deepsource issues

* fix: test failing because of missing coverage exclusions

* fix: format issues

* fix: format issue
This commit is contained in:
Meier Lukas
2024-11-03 00:11:27 +01:00
committed by GitHub
parent b294bf68cf
commit 0ff7c8903b
49 changed files with 29852 additions and 2843 deletions

View File

@@ -0,0 +1,12 @@
"use client";
import type { PropsWithChildren } from "react";
import { useSuspenseDayJsLocalization } from "@homarr/translation/dayjs";
export const DayJsLoader = ({ children }: PropsWithChildren) => {
// Load the dayjs localization for the current locale with suspense
useSuspenseDayJsLocalization();
return children;
};

View File

@@ -16,7 +16,6 @@ export const CustomMantineProvider = ({
defaultColorScheme,
}: PropsWithChildren<{ defaultColorScheme: ColorScheme }>) => {
const manager = useColorSchemeManager();
return (
<DirectionProvider>
<MantineProvider

View File

@@ -13,12 +13,13 @@ import { env } from "@homarr/auth/env.mjs";
import { auth } from "@homarr/auth/next";
import { ModalProvider } from "@homarr/modals";
import { Notifications } from "@homarr/notifications";
import { isLocaleSupported } from "@homarr/translation";
import { getI18nMessages, getScopedI18n } from "@homarr/translation/server";
import { isLocaleRTL, isLocaleSupported } from "@homarr/translation";
import { getI18nMessages } from "@homarr/translation/server";
import { Analytics } from "~/components/layout/analytics";
import { SearchEngineOptimization } from "~/components/layout/search-engine-optimization";
import { getCurrentColorSchemeAsync } from "~/theme/color-scheme";
import { DayJsLoader } from "./_client-providers/dayjs-loader";
import { JotaiProvider } from "./_client-providers/jotai";
import { CustomMantineProvider } from "./_client-providers/mantine";
import { AuthProvider } from "./_client-providers/session";
@@ -68,8 +69,7 @@ export default async function Layout(props: { children: React.ReactNode; params:
const session = await auth();
const colorScheme = await getCurrentColorSchemeAsync();
const tCommon = await getScopedI18n("common");
const direction = tCommon("direction");
const direction = isLocaleRTL(props.params.locale) ? "rtl" : "ltr";
const i18nMessages = await getI18nMessages();
const StackedProvider = composeWrappers([
@@ -78,6 +78,7 @@ export default async function Layout(props: { children: React.ReactNode; params:
},
(innerProps) => <JotaiProvider {...innerProps} />,
(innerProps) => <TRPCReactProvider {...innerProps} />,
(innerProps) => <DayJsLoader {...innerProps} />,
(innerProps) => <NextIntlClientProvider {...innerProps} messages={i18nMessages} />,
(innerProps) => <CustomMantineProvider {...innerProps} defaultColorScheme={colorScheme} />,
(innerProps) => <ModalProvider {...innerProps} />,

View File

@@ -1,7 +1,6 @@
"use client";
import { useState } from "react";
import { useParams } from "next/navigation";
import { ActionIcon, Avatar, Button, Card, Collapse, Group, Kbd, Stack, Text } from "@mantine/core";
import { useDisclosure } from "@mantine/hooks";
import { IconEye, IconEyeOff } from "@tabler/icons-react";
@@ -23,7 +22,6 @@ interface SecretCardProps {
}
export const SecretCard = ({ secret, children, onCancel }: SecretCardProps) => {
const params = useParams<{ locale: string }>();
const t = useI18n();
const { isPublic } = integrationSecretKindObject[secret.kind];
const [publicSecretDisplayOpened, { toggle: togglePublicSecretDisplay }] = useDisclosure(false);
@@ -45,7 +43,7 @@ export const SecretCard = ({ secret, children, onCancel }: SecretCardProps) => {
<Group>
<Text c="gray.6" size="sm">
{t("integration.secrets.lastUpdated", {
date: dayjs().locale(params.locale).to(dayjs(secret.updatedAt)),
date: dayjs().to(dayjs(secret.updatedAt)),
})}
</Text>
{isPublic ? (

View File

@@ -1,7 +1,7 @@
"use client";
import React from "react";
import { Combobox, Group, InputBase, Loader, Text, useCombobox } from "@mantine/core";
import { Combobox, Group, InputBase, Loader, ScrollArea, Text, useCombobox } from "@mantine/core";
import { IconCheck } from "@tabler/icons-react";
import type { SupportedLanguage } from "@homarr/translation";
@@ -54,13 +54,15 @@ export const LanguageCombobox = ({ label, value, onChange, isPending }: Language
</InputBase>
</Combobox.Target>
<Combobox.Dropdown>
<Combobox.Options>
{supportedLanguages.map((languageKey) => (
<Combobox.Option value={languageKey} key={languageKey}>
<OptionItem currentLocale={value} localeKey={languageKey} showCheck />
</Combobox.Option>
))}
</Combobox.Options>
<ScrollArea h={300}>
<Combobox.Options>
{supportedLanguages.map((languageKey) => (
<Combobox.Option value={languageKey} key={languageKey}>
<OptionItem currentLocale={value} localeKey={languageKey} showCheck />
</Combobox.Option>
))}
</Combobox.Options>
</ScrollArea>
</Combobox.Dropdown>
</Combobox>
);

View File

@@ -1,25 +1,23 @@
"use client";
import { useEffect, useState } from "react";
import { useParams } from "next/navigation";
import dayjs from "dayjs";
import relativeTime from "dayjs/plugin/relativeTime";
dayjs.extend(relativeTime);
const calculateTimeAgo = (timestamp: Date, locale: string) => {
return dayjs().locale(locale).to(timestamp);
const calculateTimeAgo = (timestamp: Date) => {
return dayjs().to(timestamp);
};
export const useTimeAgo = (timestamp: Date) => {
const { locale } = useParams<{ locale: string }>();
const [timeAgo, setTimeAgo] = useState(calculateTimeAgo(timestamp, locale));
const [timeAgo, setTimeAgo] = useState(calculateTimeAgo(timestamp));
useEffect(() => {
const intervalId = setInterval(() => setTimeAgo(calculateTimeAgo(timestamp, locale)), 1000); // update every second
const intervalId = setInterval(() => setTimeAgo(calculateTimeAgo(timestamp)), 1000); // update every second
return () => clearInterval(intervalId); // clear interval on hook unmount
}, [timestamp, locale]);
}, [timestamp]);
return timeAgo;
};

View File

@@ -9,7 +9,8 @@
"./client": "./src/client/index.ts",
"./server": "./src/server.ts",
"./middleware": "./src/middleware.ts",
"./request": "./src/request.ts"
"./request": "./src/request.ts",
"./dayjs": "./src/dayjs.ts"
},
"typesVersions": {
"*": {

View File

@@ -1,15 +1,342 @@
import type { MRT_Localization } from "mantine-react-table";
import { objectKeys } from "@homarr/common";
export const localeConfigurations = {
cn: {
name: "中文",
translatedName: "Chinese (Simplified)",
flagIcon: "cn",
importMrtLocalization() {
return import("mantine-react-table/locales/zh-Hans/index.esm.mjs").then(
(module) => module.MRT_Localization_ZH_HANS,
);
},
importDayJsLocale() {
return import("dayjs/locale/zh-cn").then((module) => module.default);
},
},
cs: {
name: "Čeština",
translatedName: "Czech",
flagIcon: "cz",
importMrtLocalization() {
return import("mantine-react-table/locales/cs/index.esm.mjs").then((module) => module.MRT_Localization_CS);
},
importDayJsLocale() {
return import("dayjs/locale/cs").then((module) => module.default);
},
},
da: {
name: "Dansk",
translatedName: "Danish",
flagIcon: "dk",
importMrtLocalization() {
return import("mantine-react-table/locales/da/index.esm.mjs").then((module) => module.MRT_Localization_DA);
},
importDayJsLocale() {
return import("dayjs/locale/da").then((module) => module.default);
},
},
de: {
name: "Deutsch",
translatedName: "German",
flagIcon: "de",
importMrtLocalization() {
return import("mantine-react-table/locales/de/index.esm.mjs").then((module) => module.MRT_Localization_DE);
},
importDayJsLocale() {
return import("dayjs/locale/de").then((module) => module.default);
},
},
en: {
name: "English",
translatedName: "English",
flagIcon: "us",
importMrtLocalization() {
return import("mantine-react-table/locales/en/index.esm.mjs").then((module) => module.MRT_Localization_EN);
},
importDayJsLocale() {
return import("dayjs/locale/en").then((module) => module.default);
},
},
el: {
name: "Ελληνικά",
translatedName: "Greek",
flagIcon: "gr",
importMrtLocalization() {
return import("mantine-react-table/locales/el/index.esm.mjs").then((module) => module.MRT_Localization_EL);
},
importDayJsLocale() {
return import("dayjs/locale/el").then((module) => module.default);
},
},
es: {
name: "Español",
translatedName: "Spanish",
flagIcon: "es",
importMrtLocalization() {
return import("mantine-react-table/locales/es/index.esm.mjs").then((module) => module.MRT_Localization_ES);
},
importDayJsLocale() {
return import("dayjs/locale/es").then((module) => module.default);
},
},
et: {
name: "Eesti",
translatedName: "Estonian",
flagIcon: "ee",
importMrtLocalization() {
return import("mantine-react-table/locales/et/index.esm.mjs").then((module) => module.MRT_Localization_ET);
},
importDayJsLocale() {
return import("dayjs/locale/et").then((module) => module.default);
},
},
fr: {
name: "Français",
translatedName: "French",
flagIcon: "fr",
importMrtLocalization() {
return import("mantine-react-table/locales/fr/index.esm.mjs").then((module) => module.MRT_Localization_FR);
},
importDayJsLocale() {
return import("dayjs/locale/fr").then((module) => module.default);
},
},
he: {
name: "עברית",
translatedName: "Hebrew",
flagIcon: "il",
isRTL: true,
importMrtLocalization() {
return import("mantine-react-table/locales/he/index.esm.mjs").then((module) => module.MRT_Localization_HE);
},
importDayJsLocale() {
return import("dayjs/locale/he").then((module) => module.default);
},
},
hr: {
name: "Hrvatski",
translatedName: "Croatian",
flagIcon: "hr",
importMrtLocalization() {
return import("mantine-react-table/locales/hr/index.esm.mjs").then((module) => module.MRT_Localization_HR);
},
importDayJsLocale() {
return import("dayjs/locale/hr").then((module) => module.default);
},
},
hu: {
name: "Magyar",
translatedName: "Hungarian",
flagIcon: "hu",
importMrtLocalization() {
return import("mantine-react-table/locales/hu/index.esm.mjs").then((module) => module.MRT_Localization_HU);
},
importDayJsLocale() {
return import("dayjs/locale/hu").then((module) => module.default);
},
},
it: {
name: "Italiano",
translatedName: "Italian",
flagIcon: "it",
importMrtLocalization() {
return import("mantine-react-table/locales/it/index.esm.mjs").then((module) => module.MRT_Localization_IT);
},
importDayJsLocale() {
return import("dayjs/locale/it").then((module) => module.default);
},
},
ja: {
name: "日本語",
translatedName: "Japanese",
flagIcon: "jp",
importMrtLocalization() {
return import("mantine-react-table/locales/ja/index.esm.mjs").then((module) => module.MRT_Localization_JA);
},
importDayJsLocale() {
return import("dayjs/locale/ja").then((module) => module.default);
},
},
ko: {
name: "한국어",
translatedName: "Korean",
flagIcon: "kr",
importMrtLocalization() {
return import("mantine-react-table/locales/ko/index.esm.mjs").then((module) => module.MRT_Localization_KO);
},
importDayJsLocale() {
return import("dayjs/locale/ko").then((module) => module.default);
},
},
lt: {
name: "Lietuvių",
translatedName: "Lithuanian",
flagIcon: "lt",
importMrtLocalization() {
return import("./mantine-react-table/lt.json");
},
importDayJsLocale() {
return import("dayjs/locale/lt").then((module) => module.default);
},
},
lv: {
name: "Latviešu",
translatedName: "Latvian",
flagIcon: "lv",
importMrtLocalization() {
return import("./mantine-react-table/lv.json");
},
importDayJsLocale() {
return import("dayjs/locale/lv").then((module) => module.default);
},
},
nl: {
name: "Nederlands",
translatedName: "Dutch",
flagIcon: "nl",
importMrtLocalization() {
return import("mantine-react-table/locales/nl/index.esm.mjs").then((module) => module.MRT_Localization_NL);
},
importDayJsLocale() {
return import("dayjs/locale/nl").then((module) => module.default);
},
},
no: {
name: "Norsk",
translatedName: "Norwegian",
flagIcon: "no",
importMrtLocalization() {
return import("mantine-react-table/locales/no/index.esm.mjs").then((module) => module.MRT_Localization_NO);
},
importDayJsLocale() {
return import("dayjs/locale/nb").then((module) => module.default);
},
},
pl: {
name: "Polski",
translatedName: "Polish",
flagIcon: "pl",
importMrtLocalization() {
return import("mantine-react-table/locales/pl/index.esm.mjs").then((module) => module.MRT_Localization_PL);
},
importDayJsLocale() {
return import("dayjs/locale/pl").then((module) => module.default);
},
},
pt: {
name: "Português",
translatedName: "Portuguese",
flagIcon: "pt",
importMrtLocalization() {
return import("mantine-react-table/locales/pt/index.esm.mjs").then((module) => module.MRT_Localization_PT);
},
importDayJsLocale() {
return import("dayjs/locale/pt").then((module) => module.default);
},
},
ro: {
name: "Românesc",
translatedName: "Romanian",
flagIcon: "ro",
importMrtLocalization() {
return import("mantine-react-table/locales/ro/index.esm.mjs").then((module) => module.MRT_Localization_RO);
},
importDayJsLocale() {
return import("dayjs/locale/ro").then((module) => module.default);
},
},
ru: {
name: "Русский",
translatedName: "Russian",
flagIcon: "ru",
importMrtLocalization() {
return import("mantine-react-table/locales/ru/index.esm.mjs").then((module) => module.MRT_Localization_RU);
},
importDayJsLocale() {
return import("dayjs/locale/ru").then((module) => module.default);
},
},
sk: {
name: "Slovenčina",
translatedName: "Slovak",
flagIcon: "sk",
importMrtLocalization() {
return import("mantine-react-table/locales/sk/index.esm.mjs").then((module) => module.MRT_Localization_SK);
},
importDayJsLocale() {
return import("dayjs/locale/sk").then((module) => module.default);
},
},
sl: {
name: "Slovenščina",
translatedName: "Slovenian",
flagIcon: "si",
importMrtLocalization() {
return import("./mantine-react-table/sl.json");
},
importDayJsLocale() {
return import("dayjs/locale/sl").then((module) => module.default);
},
},
sv: {
name: "Svenska",
translatedName: "Swedish",
flagIcon: "se",
importMrtLocalization() {
return import("mantine-react-table/locales/sv/index.esm.mjs").then((module) => module.MRT_Localization_SV);
},
importDayJsLocale() {
return import("dayjs/locale/sv").then((module) => module.default);
},
},
tr: {
name: "Türkçe",
translatedName: "Turkish",
flagIcon: "tr",
importMrtLocalization() {
return import("mantine-react-table/locales/tr/index.esm.mjs").then((module) => module.MRT_Localization_TR);
},
importDayJsLocale() {
return import("dayjs/locale/tr").then((module) => module.default);
},
},
tw: {
name: "中文",
translatedName: "Chinese (Traditional)",
flagIcon: "tw",
importMrtLocalization() {
return import("mantine-react-table/locales/zh-Hant/index.esm.mjs").then(
(module) => module.MRT_Localization_ZH_HANT,
);
},
importDayJsLocale() {
return import("dayjs/locale/zh-tw").then((module) => module.default);
},
},
uk: {
name: "Українська",
translatedName: "Ukrainian",
flagIcon: "ua",
importMrtLocalization() {
return import("mantine-react-table/locales/uk/index.esm.mjs").then((module) => module.MRT_Localization_UK);
},
importDayJsLocale() {
return import("dayjs/locale/uk").then((module) => module.default);
},
},
vi: {
name: "Tiếng Việt",
translatedName: "Vietnamese",
flagIcon: "vn",
importMrtLocalization() {
return import("mantine-react-table/locales/vi/index.esm.mjs").then((module) => module.MRT_Localization_VI);
},
importDayJsLocale() {
return import("dayjs/locale/vi").then((module) => module.default);
},
},
} satisfies Record<
string,
@@ -17,6 +344,9 @@ export const localeConfigurations = {
name: string;
translatedName: string;
flagIcon: string;
importMrtLocalization: () => Promise<MRT_Localization>;
importDayJsLocale: () => Promise<ILocale>;
isRTL?: boolean;
}
>;
@@ -24,3 +354,6 @@ export const supportedLanguages = objectKeys(localeConfigurations);
export type SupportedLanguage = (typeof supportedLanguages)[number];
export const fallbackLocale = "en" satisfies SupportedLanguage;
export const isLocaleRTL = (locale: SupportedLanguage) =>
"isRTL" in localeConfigurations[locale] && localeConfigurations[locale].isRTL;

View File

@@ -0,0 +1,48 @@
import { useParams } from "next/navigation";
import dayjs from "dayjs";
import type { SupportedLanguage } from "./config";
import { localeConfigurations } from "./config";
let promise: Promise<void> | null = null;
let loading = true;
let previousLocale: SupportedLanguage | null = null;
const load = () => {
if (loading) {
// eslint-disable-next-line @typescript-eslint/only-throw-error
throw promise;
}
};
const dayJsLocalization = (locale: SupportedLanguage) => {
if (promise && previousLocale === locale) {
return {
load,
};
}
promise = localeConfigurations[locale]
.importDayJsLocale()
.then((dayJsLocale) => {
dayjs.locale(dayJsLocale);
loading = false;
previousLocale = locale;
})
.catch(() => {
loading = false;
});
return {
load,
};
};
/**
* Load the dayjs localization for the current locale with suspense
* This allows us to have the loading spinner shown until the localization is loaded and applied.
* Suspense works by throwing a promise, which is caught by the nearest Suspense boundary.
*/
export const useSuspenseDayJsLocalization = () => {
const { locale } = useParams<{ locale: SupportedLanguage }>();
const resource = dayJsLocalization(locale);
resource.load();
};

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "用户",
"name": "用户",
"field": {
"email": {
"label": "邮箱"
},
"username": {
"label": "用户名"
},
"password": {
"label": "密码",
"requirement": {
"lowercase": "包括小写字母",
"uppercase": "包含大写字母",
"number": "包含数字"
}
},
"passwordConfirm": {
"label": "确认密码"
}
},
"action": {
"login": {
"label": "登录"
},
"register": {
"label": "创建账号",
"notification": {
"success": {
"title": "账号已创建"
}
}
},
"create": "创建用户"
}
},
"group": {
"field": {
"name": "名称"
},
"permission": {
"admin": {
"title": "管理员"
},
"board": {
"title": "面板"
}
}
},
"app": {
"page": {
"list": {
"title": "应用"
}
},
"field": {
"name": {
"label": "名称"
}
}
},
"integration": {
"field": {
"name": {
"label": "名称"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "无效链接"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "用户名"
},
"password": {
"label": "密码",
"newLabel": "新密码"
}
}
}
},
"media": {
"field": {
"name": "名称",
"size": "大小",
"creator": "创建者"
}
},
"common": {
"error": "错误",
"action": {
"add": "添加",
"apply": "应用",
"create": "创建",
"edit": "编辑",
"insert": "插入",
"remove": "删除",
"save": "保存",
"saveChanges": "保存更改",
"cancel": "取消",
"delete": "删除",
"confirm": "确认",
"previous": "上一步",
"next": "下一步",
"tryAgain": "请再试一次"
},
"information": {
"hours": "时",
"minutes": "分"
},
"userAvatar": {
"menu": {
"preferences": "您的首选项",
"login": "登录"
}
},
"dangerZone": "危险",
"noResults": "未找到结果",
"zod": {
"errors": {
"default": "该字段无效",
"required": "此字段为必填",
"string": {
"startsWith": "该字段必须以 {startsWith} 开头",
"endsWith": "该字段必须以 {endsWith} 结尾",
"includes": "该字段必须包含 {includes}"
},
"tooSmall": {
"string": "该字段的长度必须至少为 {minimum} 个字符",
"number": "该字段必须大于或等于 {minimum}"
},
"tooBig": {
"string": "该字段的长度不得超过 {maximum} 个字符",
"number": "该字段必须小于或等于 {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "名称"
}
},
"action": {
"moveUp": "上移",
"moveDown": "下移"
},
"menu": {
"label": {
"changePosition": "换位"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "设置"
}
},
"moveResize": {
"field": {
"width": {
"label": "宽度"
},
"height": {
"label": "高度"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "在新标签页中打开"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "显示布局",
"option": {
"row": {
"label": "横向"
},
"column": {
"label": "垂直"
}
}
}
},
"data": {
"adsBlockedToday": "今日屏蔽",
"adsBlockedTodayPercentage": "今日屏蔽",
"dnsQueriesToday": "今日查询"
}
},
"dnsHoleControls": {
"description": "从您的面板控制 PiHole 或 AdGuard",
"option": {
"layout": {
"label": "显示布局",
"option": {
"row": {
"label": "横向"
},
"column": {
"label": "垂直"
}
}
}
},
"controls": {
"set": "设置",
"enabled": "已启用",
"disabled": "已禁用",
"hours": "时",
"minutes": "分"
}
},
"clock": {
"description": "显示当前的日期和时间。",
"option": {
"timezone": {
"label": "时区"
}
}
},
"notebook": {
"name": "笔记本",
"option": {
"showToolbar": {
"label": "显示帮助您写下 Markdown 的工具栏"
},
"allowReadOnlyCheck": {
"label": "允许在只读模式中检查"
},
"content": {
"label": "笔记本的内容"
}
},
"controls": {
"bold": "粗体",
"italic": "斜体",
"strikethrough": "删除线",
"underline": "下划线",
"colorText": "文字颜色",
"colorHighlight": "彩色高亮文本",
"code": "代码",
"clear": "清除格式",
"heading": "标题 {level}",
"align": "对齐文本: {position}",
"blockquote": "引用",
"horizontalLine": "横线",
"bulletList": "符号列表",
"orderedList": "顺序列表",
"checkList": "检查列表",
"increaseIndent": "增加缩进",
"decreaseIndent": "减小缩进",
"link": "链接",
"unlink": "删除链接",
"image": "嵌入图片",
"addTable": "添加表格",
"deleteTable": "删除表格",
"colorCell": "单元格颜色",
"mergeCell": "切换单元格合并",
"addColumnLeft": "在前面添加列",
"addColumnRight": "在后面添加列",
"deleteColumn": "删除整列",
"addRowTop": "在前面添加行",
"addRowBelow": "在后面添加行",
"deleteRow": "删除整行"
},
"align": {
"left": "左边",
"center": "居中",
"right": "右边"
},
"popover": {
"clearColor": "清除颜色",
"source": "来源",
"widthPlaceholder": "百分比或像素值",
"columns": "列数",
"rows": "行数",
"width": "宽度",
"height": "高度"
}
},
"iframe": {
"name": "iFrame",
"description": "嵌入互联网上的任何内容。某些网站可能限制访问。",
"option": {
"embedUrl": {
"label": "嵌入地址"
},
"allowFullScreen": {
"label": "允许全屏"
},
"allowTransparency": {
"label": "允许透明"
},
"allowScrolling": {
"label": "允许滚动"
},
"allowPayment": {
"label": "允许支付"
},
"allowAutoPlay": {
"label": "允许自动播放"
},
"allowMicrophone": {
"label": "允许麦克风"
},
"allowCamera": {
"label": "允许摄像头"
},
"allowGeolocation": {
"label": "允许地理位置"
}
},
"error": {
"noBrowerSupport": "您的浏览器不支持 iframe。请更新您的浏览器。"
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "实体 ID"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "显示名称"
},
"automationId": {
"label": "自动化 ID"
}
}
},
"calendar": {
"name": "日历",
"option": {
"releaseType": {
"label": "Radarr发布类型"
}
}
},
"weather": {
"name": "天气",
"description": "显示指定位置的当前天气信息。",
"option": {
"location": {
"label": "天气位置"
}
},
"kind": {
"clear": "晴朗",
"mainlyClear": "晴朗为主",
"fog": "雾",
"drizzle": "细雨",
"freezingDrizzle": "冻毛毛雨",
"rain": "雨",
"freezingRain": "冻雨",
"snowFall": "降雪",
"snowGrains": "霰",
"rainShowers": "阵雨",
"snowShowers": "阵雪",
"thunderstorm": "雷暴",
"thunderstormWithHail": "雷暴夹冰雹",
"unknown": "未知"
}
},
"indexerManager": {
"name": "索引器管理状态",
"title": "索引器管理",
"testAll": "测试全部"
},
"healthMonitoring": {
"name": "系统健康监测",
"description": "显示系统运行状况和状态的信息。",
"option": {
"fahrenheit": {
"label": "CPU 温度(华氏度)"
},
"cpu": {
"label": "显示CPU信息"
},
"memory": {
"label": "显示内存信息"
},
"fileSystem": {
"label": "显示文件系统信息"
}
},
"popover": {
"available": "可用"
}
},
"common": {
"location": {
"search": "搜索",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "未知"
}
}
}
},
"video": {
"name": "视频流",
"description": "嵌入来自相机或网站的视频流或视频",
"option": {
"feedUrl": {
"label": "订阅网址"
},
"hasAutoPlay": {
"label": "自动播放"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "日期已添加"
},
"downSpeed": {
"columnTitle": "下载",
"detailsTitle": "下载速度"
},
"integration": {
"columnTitle": "集成"
},
"progress": {
"columnTitle": "进度"
},
"ratio": {
"columnTitle": "分享率"
},
"state": {
"columnTitle": "状态"
},
"upSpeed": {
"columnTitle": "上传"
}
},
"states": {
"downloading": "正在下载",
"queued": "排队中",
"paused": "已暂停",
"completed": "已完成",
"unknown": "未知"
}
},
"mediaRequests-requestList": {
"description": "查看 Overr 或 Jellyseerr 实例中的所有媒体请求列表",
"option": {
"linksTargetNewTab": {
"label": "在新标签页中打开链接"
}
},
"availability": {
"unknown": "未知",
"partiallyAvailable": "部分",
"available": "可用"
}
},
"mediaRequests-requestStats": {
"description": "您的媒体请求统计",
"titles": {
"stats": {
"main": "媒体统计",
"approved": "已经批准",
"pending": "等待批准",
"tv": "电视请求",
"movie": "电影请求",
"total": "请求总计"
},
"users": {
"main": "用户排行"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "应用"
},
"screenSize": {
"option": {
"sm": "小号",
"md": "中号",
"lg": "大号"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "背景图片附件"
},
"backgroundImageSize": {
"label": "背景图像大小"
},
"primaryColor": {
"label": "主体色"
},
"secondaryColor": {
"label": "辅助色"
},
"customCss": {
"description": "只推荐有经验的用户使用 CSS 自定义面板"
},
"name": {
"label": "名称"
},
"isPublic": {
"label": "公开"
}
},
"setting": {
"section": {
"general": {
"title": "通用"
},
"layout": {
"title": "显示布局"
},
"background": {
"title": "背景"
},
"access": {
"permission": {
"item": {
"view": {
"label": "查看面板"
}
}
}
},
"dangerZone": {
"title": "危险",
"action": {
"delete": {
"confirm": {
"title": "删除面板"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "首页",
"boards": "面板",
"apps": "应用",
"users": {
"label": "用户",
"items": {
"manage": "管理中心",
"invites": "邀请"
}
},
"tools": {
"label": "工具",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "设置",
"help": {
"label": "帮助",
"items": {
"documentation": "文档",
"discord": "Discord 社区"
}
},
"about": "关于"
}
},
"page": {
"home": {
"statistic": {
"board": "面板",
"user": "用户",
"invite": "邀请",
"app": "应用"
},
"statisticLabel": {
"boards": "面板"
}
},
"board": {
"title": "您的面板",
"action": {
"settings": {
"label": "设置"
},
"setHomeBoard": {
"badge": {
"label": "首页"
}
},
"delete": {
"label": "永久删除",
"confirm": {
"title": "删除面板"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "名称"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "通用",
"item": {
"firstDayOfWeek": "一周的第一天",
"accessibility": "无障碍服务"
}
},
"security": {
"title": "安全"
},
"board": {
"title": "面板"
}
},
"list": {
"metaTitle": "管理用户",
"title": "用户"
},
"create": {
"metaTitle": "创建用户",
"step": {
"security": {
"label": "安全"
}
}
},
"invite": {
"title": "管理用户邀请",
"action": {
"new": {
"description": "过期后,邀请会失效,被邀请的收件人将无法创建账号。"
},
"copy": {
"link": "邀请链接"
},
"delete": {
"title": "删除邀请",
"description": "你确定要删除这个邀请吗? 使用此链接的用户将不能再使用该链接创建账号。"
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "创建者"
},
"expirationDate": {
"label": "过期时间"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "通用"
}
}
},
"settings": {
"title": "设置"
},
"tool": {
"tasks": {
"status": {
"running": "运行中",
"error": "错误"
},
"job": {
"mediaServer": {
"label": "媒体服务"
},
"mediaRequests": {
"label": "媒体请求"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "文档"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "容器",
"field": {
"name": {
"label": "名称"
},
"state": {
"label": "状态",
"option": {
"created": "已创建",
"running": "运行中",
"paused": "已暂停",
"restarting": "正在重启",
"removing": "删除中"
}
},
"containerImage": {
"label": "镜像"
},
"ports": {
"label": "端口"
}
},
"action": {
"start": {
"label": "开始"
},
"stop": {
"label": "停止"
},
"restart": {
"label": "重启"
},
"remove": {
"label": "删除"
}
}
},
"permission": {
"tab": {
"user": "用户"
},
"field": {
"user": {
"label": "用户"
}
}
},
"navigationStructure": {
"manage": {
"label": "管理中心",
"boards": {
"label": "面板"
},
"integrations": {
"edit": {
"label": "编辑"
}
},
"search-engines": {
"edit": {
"label": "编辑"
}
},
"apps": {
"label": "应用",
"edit": {
"label": "编辑"
}
},
"users": {
"label": "用户",
"create": {
"label": "创建"
},
"general": "通用",
"security": "安全",
"board": "面板",
"invites": {
"label": "邀请"
}
},
"tools": {
"label": "工具",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "设置"
},
"about": {
"label": "关于"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "应用"
},
"board": {
"title": "面板"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrents"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "帮助",
"option": {
"documentation": {
"label": "文档"
},
"discord": {
"label": "Discord 社区"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "管理用户"
},
"about": {
"label": "关于"
},
"preferences": {
"label": "您的首选项"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "用户"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "名称"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Uživatelé",
"name": "Uživatel",
"field": {
"email": {
"label": "E-mail"
},
"username": {
"label": "Uživatelské jméno"
},
"password": {
"label": "Heslo",
"requirement": {
"lowercase": "Obsahuje malé písmeno",
"uppercase": "Obsahuje velké písmeno",
"number": "Obsahuje číslo"
}
},
"passwordConfirm": {
"label": "Potvrďte heslo"
}
},
"action": {
"login": {
"label": "Přihlásit se"
},
"register": {
"label": "Vytvořit účet",
"notification": {
"success": {
"title": "Účet byl vytvořen"
}
}
},
"create": "Vytvořit uživatele"
}
},
"group": {
"field": {
"name": "Název"
},
"permission": {
"admin": {
"title": "Administrátor"
},
"board": {
"title": "Plochy"
}
}
},
"app": {
"page": {
"list": {
"title": "Aplikace"
}
},
"field": {
"name": {
"label": "Název"
}
}
},
"integration": {
"field": {
"name": {
"label": "Název"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Neplatná URL adresa"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Uživatelské jméno"
},
"password": {
"label": "Heslo",
"newLabel": "Nové heslo"
}
}
}
},
"media": {
"field": {
"name": "Název",
"size": "Velikost",
"creator": "Vytvořil/a"
}
},
"common": {
"error": "Chyba",
"action": {
"add": "Přidat",
"apply": "Použít",
"create": "Vytvořit",
"edit": "Upravit",
"insert": "Vložit",
"remove": "Odstranit",
"save": "Uložit",
"saveChanges": "Uložit změny",
"cancel": "Zrušit",
"delete": "Odstranit",
"confirm": "Potvrdit",
"previous": "Zpět",
"next": "Další",
"tryAgain": "Zkusit znovu"
},
"information": {
"hours": "Hodin",
"minutes": "Minut"
},
"userAvatar": {
"menu": {
"preferences": "Vaše předvolby",
"login": "Přihlásit se"
}
},
"dangerZone": "Nebezpečná zóna",
"noResults": "Nebyly nalezeny žádné výsledky",
"zod": {
"errors": {
"default": "Toto pole je neplatné",
"required": "Toto pole je nutné vyplnit",
"string": {
"startsWith": "Toto pole musí začínat {startsWith}",
"endsWith": "Toto pole musí končit {endsWith}",
"includes": "Toto pole musí obsahovat {includes}"
},
"tooSmall": {
"string": "Toto pole musí obsahovat alespoň {minimum} znaků",
"number": "Toto pole musí být větší nebo rovno {minimum}"
},
"tooBig": {
"string": "Toto pole může být maximálně {maximum} znaků dlouhé",
"number": "Toto pole musí být menší nebo rovno {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Název"
}
},
"action": {
"moveUp": "Posunout nahoru",
"moveDown": "Posunout dolů"
},
"menu": {
"label": {
"changePosition": "Změnit pozici"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Nastavení"
}
},
"moveResize": {
"field": {
"width": {
"label": "Šířka"
},
"height": {
"label": "Výška"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Otevřít na nové kartě"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Rozložení",
"option": {
"row": {
"label": "Horizontální"
},
"column": {
"label": "Vertikální"
}
}
}
},
"data": {
"adsBlockedToday": "Zablokováno dnes",
"adsBlockedTodayPercentage": "Zablokováno dnes",
"dnsQueriesToday": "Dotazů dnes"
}
},
"dnsHoleControls": {
"description": "Ovládejte PiHole nebo AdGuard z plochy",
"option": {
"layout": {
"label": "Rozložení",
"option": {
"row": {
"label": "Horizontální"
},
"column": {
"label": "Vertikální"
}
}
}
},
"controls": {
"set": "Nastavit",
"enabled": "Zapnuto",
"disabled": "Vypnuto",
"hours": "Hodin",
"minutes": "Minut"
}
},
"clock": {
"description": "Zobrazuje aktuální datum a čas.",
"option": {
"timezone": {
"label": "Časové pásmo"
}
}
},
"notebook": {
"name": "Zápisník",
"option": {
"showToolbar": {
"label": "Zobrazovat panel nástroju, který Vám pomůže s formátováním textu"
},
"allowReadOnlyCheck": {
"label": "Povolit kontrolu v režimu pouze pro čtení"
},
"content": {
"label": "Obsah zápisníku"
}
},
"controls": {
"bold": "Tučné",
"italic": "Kurzíva",
"strikethrough": "Přeškrtnuté",
"underline": "Podtržení",
"colorText": "Barva písma",
"colorHighlight": "Barevné zvýraznění textu",
"code": "Kód",
"clear": "Vymazat formátování",
"heading": "Nadpis {level}",
"align": "Zarovnat text: {position}",
"blockquote": "Citace",
"horizontalLine": "Vodorovná čára",
"bulletList": "Odrážkový seznam",
"orderedList": "Číslovaný seznam",
"checkList": "Zaškrtávací seznam",
"increaseIndent": "Zvětšit odsazení",
"decreaseIndent": "Zmenšit odsazení",
"link": "Vložit odkaz",
"unlink": "Odstranit odkaz",
"image": "Vložit obrázek",
"addTable": "Přidat tabulku",
"deleteTable": "Odstranit tabulku",
"colorCell": "Barva výplně",
"mergeCell": "Sloučit buňky",
"addColumnLeft": "Přidat sloupec před",
"addColumnRight": "Přidat sloupec za",
"deleteColumn": "Odstranit sloupec",
"addRowTop": "Přidat řádek nad",
"addRowBelow": "Přidat řádek pod",
"deleteRow": "Odstranit řádek"
},
"align": {
"left": "Vlevo",
"center": "Střed",
"right": "Vpravo"
},
"popover": {
"clearColor": "Odstranit barvu",
"source": "Zdroj",
"widthPlaceholder": "Hodnota v % nebo pixelech",
"columns": "Sloupce",
"rows": "Řádky",
"width": "Šířka",
"height": "Výška"
}
},
"iframe": {
"name": "iFrame",
"description": "Vložte jakýkoli obsah z internetu. Některé webové stránky mohou omezit přístup.",
"option": {
"embedUrl": {
"label": "Embed URL"
},
"allowFullScreen": {
"label": "Povolit celou obrazovku"
},
"allowTransparency": {
"label": "Povolit průhlednost"
},
"allowScrolling": {
"label": "Povolit posouvání"
},
"allowPayment": {
"label": "Povolit platbu"
},
"allowAutoPlay": {
"label": "Povolit automatické přehrávání"
},
"allowMicrophone": {
"label": "Povolit mikrofon"
},
"allowCamera": {
"label": "Povolit kameru"
},
"allowGeolocation": {
"label": "Povolit polohu"
}
},
"error": {
"noBrowerSupport": "Váš prohlížeč nepodporuje iFrame. Aktualizujte, prosím, svůj prohlížeč."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "ID entity"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Zobrazovaný název"
},
"automationId": {
"label": "ID automatizace"
}
}
},
"calendar": {
"name": "Kalendář",
"option": {
"releaseType": {
"label": "Typ vydání filmu pro Radarr"
}
}
},
"weather": {
"name": "Počasí",
"description": "Zobrazuje aktuální informace o počasí na nastaveném místě.",
"option": {
"location": {
"label": "Lokalita pro počasí"
}
},
"kind": {
"clear": "Jasno",
"mainlyClear": "Převážně jasno",
"fog": "Mlha",
"drizzle": "Mrholení",
"freezingDrizzle": "Mrznoucí mrholení",
"rain": "Déšť",
"freezingRain": "Mrznoucí déšť",
"snowFall": "Sněžení",
"snowGrains": "Sněhová zrna",
"rainShowers": "Dešťové přeháňky",
"snowShowers": "Sněhové přeháňky",
"thunderstorm": "Bouřka",
"thunderstormWithHail": "Bouřka s krupobitím",
"unknown": "Neznámý"
}
},
"indexerManager": {
"name": "Stav správce indexeru",
"title": "Správce indexeru",
"testAll": "Otestovat vše"
},
"healthMonitoring": {
"name": "Monitorování stavu systému",
"description": "Zobrazuje informace o stavu a kondici Vašeho systému (systémů).",
"option": {
"fahrenheit": {
"label": "Teplota CPU ve stupních Fahrenheit"
},
"cpu": {
"label": "Zobrazit info o CPU"
},
"memory": {
"label": "Zobrazit informace o paměti"
},
"fileSystem": {
"label": "Zobrazit informace o souborovém systému"
}
},
"popover": {
"available": "K dispozici"
}
},
"common": {
"location": {
"search": "Vyhledat",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Neznámý"
}
}
}
},
"video": {
"name": "Streamování videa",
"description": "Vložte video stream nebo video z kamery nebo webové stránky",
"option": {
"feedUrl": {
"label": "URL zdroje"
},
"hasAutoPlay": {
"label": "Automatické přehrávání"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Datum přidání"
},
"downSpeed": {
"columnTitle": "Stahování",
"detailsTitle": "Rychlost stahování"
},
"integration": {
"columnTitle": "Integrace"
},
"progress": {
"columnTitle": "Postup"
},
"ratio": {
"columnTitle": "Poměr"
},
"state": {
"columnTitle": "Status"
},
"upSpeed": {
"columnTitle": "Nahrávání"
}
},
"states": {
"downloading": "Stahování",
"queued": "Ve frontě",
"paused": "Pozastaveno",
"completed": "Hotovo",
"unknown": "Neznámý"
}
},
"mediaRequests-requestList": {
"description": "Podívejte se na seznam všech požadavků na média z vaší instance Overseerr nebo Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Otevírat odkazy v nové kartě"
}
},
"availability": {
"unknown": "Neznámý",
"partiallyAvailable": "Částečně dostupné",
"available": "K dispozici"
}
},
"mediaRequests-requestStats": {
"description": "Statistiky vašich požadavků na média",
"titles": {
"stats": {
"main": "Statistiky médií",
"approved": "Již schváleno",
"pending": "Čeká na schválení",
"tv": "Požadavky seriálů",
"movie": "Požadavky filmů",
"total": "Celkem"
},
"users": {
"main": "Top uživatelé"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Aplikace"
},
"screenSize": {
"option": {
"sm": "Malé",
"md": "Střední",
"lg": "Velké"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Příloha obrázku na pozadí"
},
"backgroundImageSize": {
"label": "Velikost obrázku na pozadí"
},
"primaryColor": {
"label": "Primární barva"
},
"secondaryColor": {
"label": "Doplňková barva"
},
"customCss": {
"description": "Dále si můžete přizpůsobit ovládací panel pomocí CSS, doporučujeme pouze zkušeným uživatelům"
},
"name": {
"label": "Název"
},
"isPublic": {
"label": "Veřejné"
}
},
"setting": {
"section": {
"general": {
"title": "Obecné"
},
"layout": {
"title": "Rozložení"
},
"background": {
"title": "Pozadí"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Zobrazit plochu"
}
}
}
},
"dangerZone": {
"title": "Nebezpečná zóna",
"action": {
"delete": {
"confirm": {
"title": "Odstranit plochu"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Domovská stránka",
"boards": "Plochy",
"apps": "Aplikace",
"users": {
"label": "Uživatelé",
"items": {
"manage": "Spravovat",
"invites": "Pozvánky"
}
},
"tools": {
"label": "Nástroje",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Nastavení",
"help": {
"label": "Nápověda",
"items": {
"documentation": "Dokumentace",
"discord": "Komunitní Discord"
}
},
"about": "O aplikaci"
}
},
"page": {
"home": {
"statistic": {
"board": "Plochy",
"user": "Uživatelé",
"invite": "Pozvánky",
"app": "Aplikace"
},
"statisticLabel": {
"boards": "Plochy"
}
},
"board": {
"title": "Vaše plochy",
"action": {
"settings": {
"label": "Nastavení"
},
"setHomeBoard": {
"badge": {
"label": "Domovská stránka"
}
},
"delete": {
"label": "Trvale smazat",
"confirm": {
"title": "Odstranit plochu"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Název"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Obecné",
"item": {
"firstDayOfWeek": "První den v týdnu",
"accessibility": "Přístupnost"
}
},
"security": {
"title": "Bezpečnost"
},
"board": {
"title": "Plochy"
}
},
"list": {
"metaTitle": "Správa uživatelů",
"title": "Uživatelé"
},
"create": {
"metaTitle": "Vytvořit uživatele",
"step": {
"security": {
"label": "Bezpečnost"
}
}
},
"invite": {
"title": "Správa pozvánek uživatelů",
"action": {
"new": {
"description": "Po vypršení platnosti pozvánka přestane být platná a příjemce pozvánky si nebude moci vytvořit účet."
},
"copy": {
"link": "Odkaz na pozvánku"
},
"delete": {
"title": "Odstranit pozvánku",
"description": "Jste si jisti, že chcete tuto pozvánku smazat? Uživatelé s tímto odkazem již nebudou moci pomocí tohoto odkazu vytvořit účet."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Vytvořil/a"
},
"expirationDate": {
"label": "Datum konce platnosti"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Obecné"
}
}
},
"settings": {
"title": "Nastavení"
},
"tool": {
"tasks": {
"status": {
"running": "Běží",
"error": "Chyba"
},
"job": {
"mediaServer": {
"label": "Mediální server"
},
"mediaRequests": {
"label": "Žádosti o média"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokumentace"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "Kontejnery",
"field": {
"name": {
"label": "Název"
},
"state": {
"label": "Status",
"option": {
"created": "Vytvořený",
"running": "Běží",
"paused": "Pozastaveno",
"restarting": "Restartování",
"removing": "Odstraňování"
}
},
"containerImage": {
"label": "Obraz"
},
"ports": {
"label": "Porty"
}
},
"action": {
"start": {
"label": "Spustit"
},
"stop": {
"label": "Zastavit"
},
"restart": {
"label": "Restartovat"
},
"remove": {
"label": "Odstranit"
}
}
},
"permission": {
"tab": {
"user": "Uživatelé"
},
"field": {
"user": {
"label": "Uživatel"
}
}
},
"navigationStructure": {
"manage": {
"label": "Spravovat",
"boards": {
"label": "Plochy"
},
"integrations": {
"edit": {
"label": "Upravit"
}
},
"search-engines": {
"edit": {
"label": "Upravit"
}
},
"apps": {
"label": "Aplikace",
"edit": {
"label": "Upravit"
}
},
"users": {
"label": "Uživatelé",
"create": {
"label": "Vytvořit"
},
"general": "Obecné",
"security": "Bezpečnost",
"board": "Plochy",
"invites": {
"label": "Pozvánky"
}
},
"tools": {
"label": "Nástroje",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Nastavení"
},
"about": {
"label": "O aplikaci"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Aplikace"
},
"board": {
"title": "Plochy"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrenty"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Nápověda",
"option": {
"documentation": {
"label": "Dokumentace"
},
"discord": {
"label": "Komunitní Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Správa uživatelů"
},
"about": {
"label": "O aplikaci"
},
"preferences": {
"label": "Vaše předvolby"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Uživatelé"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Název"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Brugere",
"name": "Bruger",
"field": {
"email": {
"label": "E-mail"
},
"username": {
"label": "Brugernavn"
},
"password": {
"label": "Adgangskode",
"requirement": {
"lowercase": "Inkluderer små bogstaver",
"uppercase": "Inkluderer store bogstaver",
"number": "Inkluderer nummer"
}
},
"passwordConfirm": {
"label": "Bekræft kodeord"
}
},
"action": {
"login": {
"label": "Log ind"
},
"register": {
"label": "Opret konto",
"notification": {
"success": {
"title": "Konto oprettet"
}
}
},
"create": "Opret bruger"
}
},
"group": {
"field": {
"name": "Navn"
},
"permission": {
"admin": {
"title": "Admin"
},
"board": {
"title": "Boards"
}
}
},
"app": {
"page": {
"list": {
"title": "Apps"
}
},
"field": {
"name": {
"label": "Navn"
}
}
},
"integration": {
"field": {
"name": {
"label": "Navn"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Ugyldig URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Brugernavn"
},
"password": {
"label": "Adgangskode",
"newLabel": "Nyt kodeord"
}
}
}
},
"media": {
"field": {
"name": "Navn",
"size": "Størrelse",
"creator": "Skaber"
}
},
"common": {
"error": "Fejl",
"action": {
"add": "Tilføj",
"apply": "Anvend",
"create": "Opret",
"edit": "Rediger",
"insert": "Indsæt",
"remove": "Fjern",
"save": "Gem",
"saveChanges": "Gem ændringer",
"cancel": "Annuller",
"delete": "Slet",
"confirm": "Bekræft",
"previous": "Forrige",
"next": "Næste",
"tryAgain": "Prøv igen"
},
"information": {
"hours": "Timer",
"minutes": "Minutter"
},
"userAvatar": {
"menu": {
"preferences": "Dine indstillinger",
"login": "Log ind"
}
},
"dangerZone": "Farezone",
"noResults": "Ingen resultater fundet",
"zod": {
"errors": {
"default": "Dette felt er ugyldigt",
"required": "Dette felt er påkrævet",
"string": {
"startsWith": "Dette felt skal starte med {startsWith}",
"endsWith": "Dette felt skal slutte med {endsWith}",
"includes": "Dette felt skal indeholde {includes}"
},
"tooSmall": {
"string": "Dette felt skal være mindst {minimum} tegn langt",
"number": "Dette felt skal være større end eller lig med {minimum}"
},
"tooBig": {
"string": "Dette felt må højst være på {maximum} tegn",
"number": "Dette felt skal være mindre end eller lig med {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Navn"
}
},
"action": {
"moveUp": "Flyt op",
"moveDown": "Flyt ned"
},
"menu": {
"label": {
"changePosition": "Ændre placering"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Indstillinger"
}
},
"moveResize": {
"field": {
"width": {
"label": "Bredde"
},
"height": {
"label": "Højde"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Åbn i nyt faneblad"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Layout",
"option": {
"row": {
"label": "Horisontal"
},
"column": {
"label": "Vertikal"
}
}
}
},
"data": {
"adsBlockedToday": "Blokeret i dag",
"adsBlockedTodayPercentage": "Blokeret i dag",
"dnsQueriesToday": "Forespørgsler i dag"
}
},
"dnsHoleControls": {
"description": "Kontroller PiHole eller AdGuard fra dit dashboard",
"option": {
"layout": {
"label": "Layout",
"option": {
"row": {
"label": "Horisontal"
},
"column": {
"label": "Vertikal"
}
}
}
},
"controls": {
"set": "Indstil",
"enabled": "Aktiveret",
"disabled": "Deaktiveret",
"hours": "Timer",
"minutes": "Minutter"
}
},
"clock": {
"description": "Viser aktuel dag og klokkeslæt.",
"option": {
"timezone": {
"label": "Tidszone"
}
}
},
"notebook": {
"name": "Notesbog",
"option": {
"showToolbar": {
"label": "Vis værktøjslinjen, der hjælper dig med at skrive markdown"
},
"allowReadOnlyCheck": {
"label": "Tillad tjek i skrivebeskyttet tilstand"
},
"content": {
"label": "Indholdet af notesbogen"
}
},
"controls": {
"bold": "Fed",
"italic": "Kursiv",
"strikethrough": "Gennemstreget",
"underline": "Understreget",
"colorText": "Tekst i farver",
"colorHighlight": "Farvet fremhævning af tekst",
"code": "Kode",
"clear": "Ryd formatering",
"heading": "Overskrift {level}",
"align": "Juster tekst: {position}",
"blockquote": "Citatblok",
"horizontalLine": "Horisontal linje",
"bulletList": "Punktopstillet liste",
"orderedList": "Sorteret liste",
"checkList": "Tjekliste",
"increaseIndent": "Forøg indrykning",
"decreaseIndent": "Formindsk indrykning",
"link": "Link",
"unlink": "Fjern link",
"image": "Integrer billede",
"addTable": "Tilføj tabel",
"deleteTable": "Slet tabel",
"colorCell": "Farvecelle",
"mergeCell": "Slå cellefletning til/fra",
"addColumnLeft": "Tilføj kolonne før",
"addColumnRight": "Tilføj kolonne efter",
"deleteColumn": "Slet kolonne",
"addRowTop": "Tilføj række før",
"addRowBelow": "Tilføj række efter",
"deleteRow": "Slet række"
},
"align": {
"left": "Venstre",
"center": "Centrer",
"right": "Højre"
},
"popover": {
"clearColor": "Ryd farve",
"source": "Kilde",
"widthPlaceholder": "Værdi i % eller pixels",
"columns": "Kolonner",
"rows": "Rækker",
"width": "Bredde",
"height": "Højde"
}
},
"iframe": {
"name": "indlejret dokument (iframe)",
"description": "Indlejr ethvert indhold fra internettet. Nogle websteder kan begrænse adgang.",
"option": {
"embedUrl": {
"label": "Indlejr URL"
},
"allowFullScreen": {
"label": "Tillad fuld skærm"
},
"allowTransparency": {
"label": "Tillad gennemsigtighed"
},
"allowScrolling": {
"label": "Tillad rulning"
},
"allowPayment": {
"label": "Tillad betaling"
},
"allowAutoPlay": {
"label": "Tillad automatisk afspilning"
},
"allowMicrophone": {
"label": "Tillad mikrofon"
},
"allowCamera": {
"label": "Tillad kamera"
},
"allowGeolocation": {
"label": "Tillad geolokalisering"
}
},
"error": {
"noBrowerSupport": "Din browser understøtter ikke iframes. Opdater venligst din browser."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Entitet ID"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Visningsnavn"
},
"automationId": {
"label": "Automatiserings ID"
}
}
},
"calendar": {
"name": "Kalender",
"option": {
"releaseType": {
"label": "Radarr udgivelsestype"
}
}
},
"weather": {
"name": "Vejr",
"description": "Viser de aktuelle vejroplysninger for en bestemt placering.",
"option": {
"location": {
"label": "Vejr lokation"
}
},
"kind": {
"clear": "Skyfrit",
"mainlyClear": "Hovedsageligt skyfrit",
"fog": "Tåge",
"drizzle": "Støvregn",
"freezingDrizzle": "Støvregn med isslag",
"rain": "Regn",
"freezingRain": "Isslag",
"snowFall": "Snefald",
"snowGrains": "Mildt snefald",
"rainShowers": "Regnbyger",
"snowShowers": "Snebyger",
"thunderstorm": "Tordenvejr",
"thunderstormWithHail": "Tordenvejr med hagl",
"unknown": "Ukendt"
}
},
"indexerManager": {
"name": "Indekserings manager status",
"title": "Indexer-manager",
"testAll": "Test alle"
},
"healthMonitoring": {
"name": "Systemsundhedsovervågning",
"description": "Viser oplysninger om dit/dine systems tilstand og status.",
"option": {
"fahrenheit": {
"label": "CPU-temperatur i Fahrenheit"
},
"cpu": {
"label": "Vis CPU-info"
},
"memory": {
"label": "Vis hukommelsesoplysninger"
},
"fileSystem": {
"label": "Vis information om filsystemet"
}
},
"popover": {
"available": "Tilgængelig"
}
},
"common": {
"location": {
"search": "Søg",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Ukendt"
}
}
}
},
"video": {
"name": "Video Stream",
"description": "Indlejr en video stream eller video fra et kamera eller et website",
"option": {
"feedUrl": {
"label": "Feed URL"
},
"hasAutoPlay": {
"label": "Auto-afspilning"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Dato tilføjet"
},
"downSpeed": {
"columnTitle": "Down",
"detailsTitle": "Download hastighed"
},
"integration": {
"columnTitle": "Integration"
},
"progress": {
"columnTitle": "Fremskridt"
},
"ratio": {
"columnTitle": "Delingsforhold"
},
"state": {
"columnTitle": "Tilstand"
},
"upSpeed": {
"columnTitle": "Up"
}
},
"states": {
"downloading": "Downloader",
"queued": "I kø",
"paused": "På pause",
"completed": "Fuldført",
"unknown": "Ukendt"
}
},
"mediaRequests-requestList": {
"description": "Se en liste over alle medieforespørgsler fra din Overseerr eller Jellyseerr instans",
"option": {
"linksTargetNewTab": {
"label": "Åbn links i ny fane"
}
},
"availability": {
"unknown": "Ukendt",
"partiallyAvailable": "Delvis",
"available": "Tilgængelig"
}
},
"mediaRequests-requestStats": {
"description": "Statistik over dine medieanmodninger",
"titles": {
"stats": {
"main": "Mediestatistik",
"approved": "Allerede godkendt",
"pending": "Afventer godkendelse",
"tv": "TV-anmodninger",
"movie": "Film anmodninger",
"total": "Total"
},
"users": {
"main": "Topbrugere"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Apps"
},
"screenSize": {
"option": {
"sm": "Lille",
"md": "Mellem",
"lg": "Stor"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Vedhæftning af baggrundsbillede"
},
"backgroundImageSize": {
"label": "Baggrundsbilledets størrelse"
},
"primaryColor": {
"label": "Primær farve"
},
"secondaryColor": {
"label": "Sekundær farve"
},
"customCss": {
"description": "Yderligere, tilpasse dit dashboard ved hjælp af CSS, anbefales kun til erfarne brugere"
},
"name": {
"label": "Navn"
},
"isPublic": {
"label": "Offentlig"
}
},
"setting": {
"section": {
"general": {
"title": "Generelt"
},
"layout": {
"title": "Layout"
},
"background": {
"title": "Baggrund"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Se board"
}
}
}
},
"dangerZone": {
"title": "Farezone",
"action": {
"delete": {
"confirm": {
"title": "Slet board"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Hjem",
"boards": "Boards",
"apps": "Apps",
"users": {
"label": "Brugere",
"items": {
"manage": "Administrer",
"invites": "Invitationer"
}
},
"tools": {
"label": "Værktøjer",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Indstillinger",
"help": {
"label": "Hjælp",
"items": {
"documentation": "Dokumentation",
"discord": "Discordfællesskab"
}
},
"about": "Om"
}
},
"page": {
"home": {
"statistic": {
"board": "Boards",
"user": "Brugere",
"invite": "Invitationer",
"app": "Apps"
},
"statisticLabel": {
"boards": "Boards"
}
},
"board": {
"title": "Dine boards",
"action": {
"settings": {
"label": "Indstillinger"
},
"setHomeBoard": {
"badge": {
"label": "Hjem"
}
},
"delete": {
"label": "Slet permanent",
"confirm": {
"title": "Slet board"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Navn"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Generelt",
"item": {
"firstDayOfWeek": "Første ugedag",
"accessibility": "Hjælpefunktioner"
}
},
"security": {
"title": "Sikkerhed"
},
"board": {
"title": "Boards"
}
},
"list": {
"metaTitle": "Administrér brugere",
"title": "Brugere"
},
"create": {
"metaTitle": "Opret bruger",
"step": {
"security": {
"label": "Sikkerhed"
}
}
},
"invite": {
"title": "Administrer brugerinvitationer",
"action": {
"new": {
"description": "Efter udløb vil en invitation ikke længere være gyldig, og modtageren af invitationen vil ikke være i stand til at oprette en konto."
},
"copy": {
"link": "Invitationslink"
},
"delete": {
"title": "Slet invitation",
"description": "Er du sikker på, at du vil slette denne invitation? Brugere med dette link vil ikke længere kunne oprette en konto ved hjælp af dette link."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Skaber"
},
"expirationDate": {
"label": "Udløbsdato"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Generelt"
}
}
},
"settings": {
"title": "Indstillinger"
},
"tool": {
"tasks": {
"status": {
"running": "Kører",
"error": "Fejl"
},
"job": {
"mediaServer": {
"label": "Medieserver"
},
"mediaRequests": {
"label": "Medieforespørgsler"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokumentation"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "Containere",
"field": {
"name": {
"label": "Navn"
},
"state": {
"label": "Tilstand",
"option": {
"created": "Oprettet",
"running": "Kører",
"paused": "På pause",
"restarting": "Genstarter",
"removing": "Fjerner"
}
},
"containerImage": {
"label": "Image"
},
"ports": {
"label": "Porte"
}
},
"action": {
"start": {
"label": "Start"
},
"stop": {
"label": "Stop"
},
"restart": {
"label": "Genstart"
},
"remove": {
"label": "Fjern"
}
}
},
"permission": {
"tab": {
"user": "Brugere"
},
"field": {
"user": {
"label": "Bruger"
}
}
},
"navigationStructure": {
"manage": {
"label": "Administrer",
"boards": {
"label": "Boards"
},
"integrations": {
"edit": {
"label": "Rediger"
}
},
"search-engines": {
"edit": {
"label": "Rediger"
}
},
"apps": {
"label": "Apps",
"edit": {
"label": "Rediger"
}
},
"users": {
"label": "Brugere",
"create": {
"label": "Opret"
},
"general": "Generelt",
"security": "Sikkerhed",
"board": "Boards",
"invites": {
"label": "Invitationer"
}
},
"tools": {
"label": "Værktøjer",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Indstillinger"
},
"about": {
"label": "Om"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Apps"
},
"board": {
"title": "Boards"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrents"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Hjælp",
"option": {
"documentation": {
"label": "Dokumentation"
},
"discord": {
"label": "Discordfællesskab"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Administrér brugere"
},
"about": {
"label": "Om"
},
"preferences": {
"label": "Dine indstillinger"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Brugere"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Navn"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Benutzer",
"name": "Benutzer",
"field": {
"email": {
"label": "E-Mail"
},
"username": {
"label": "Benutzername"
},
"password": {
"label": "Passwort",
"requirement": {
"lowercase": "Enthält Kleinbuchstaben",
"uppercase": "Enthält Großbuchstaben",
"number": "Enthält Ziffern"
}
},
"passwordConfirm": {
"label": "Passwort bestätigen"
}
},
"action": {
"login": {
"label": "Anmelden"
},
"register": {
"label": "Account erstellen",
"notification": {
"success": {
"title": "Account erstellt"
}
}
},
"create": "Benutzer erstellen"
}
},
"group": {
"field": {
"name": "Name"
},
"permission": {
"admin": {
"title": "Admin"
},
"board": {
"title": "Boards"
}
}
},
"app": {
"page": {
"list": {
"title": "Apps"
}
},
"field": {
"name": {
"label": "Name"
}
}
},
"integration": {
"field": {
"name": {
"label": "Name"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Ungültige URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Benutzername"
},
"password": {
"label": "Passwort",
"newLabel": "Neues Passwort"
}
}
}
},
"media": {
"field": {
"name": "Name",
"size": "Größe",
"creator": "Ersteller"
}
},
"common": {
"error": "Fehler",
"action": {
"add": "Hinzufügen",
"apply": "Übernehmen",
"create": "Erstellen",
"edit": "Bearbeiten",
"insert": "Einfügen",
"remove": "Entfernen",
"save": "Speichern",
"saveChanges": "Änderungen speichern",
"cancel": "Abbrechen",
"delete": "Löschen",
"confirm": "Bestätigen",
"previous": "Zurück",
"next": "Weiter",
"tryAgain": "Erneut versuchen"
},
"information": {
"hours": "Stunden",
"minutes": "Minuten"
},
"userAvatar": {
"menu": {
"preferences": "Ihre Einstellungen",
"login": "Anmelden"
}
},
"dangerZone": "Gefahrenzone",
"noResults": "Die Suche ergab keine Treffer",
"zod": {
"errors": {
"default": "Dieses Feld ist ungültig",
"required": "Dieses Feld ist erforderlich",
"string": {
"startsWith": "Dieses Feld muss mit {startsWith} beginnen",
"endsWith": "Dieses Feld muss mit {endsWith} enden",
"includes": "Dieses Feld muss {includes} beinhalten"
},
"tooSmall": {
"string": "Dieses Feld muss mindestens {minimum} Zeichen lang sein",
"number": "Dieses Feld muss größer oder gleich {minimum} sein"
},
"tooBig": {
"string": "Dieses Feld muss mindestens {maximum} Zeichen lang sein",
"number": "Dieses Feld muss größer oder gleich {maximum} sein"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Name"
}
},
"action": {
"moveUp": "Nach oben bewegen",
"moveDown": "Nach unten bewegen"
},
"menu": {
"label": {
"changePosition": "Position wechseln"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Einstellungen"
}
},
"moveResize": {
"field": {
"width": {
"label": "Breite"
},
"height": {
"label": "Höhe"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "In neuem Tab öffnen"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Ansicht",
"option": {
"row": {
"label": "Horizontal"
},
"column": {
"label": "Vertikal"
}
}
}
},
"data": {
"adsBlockedToday": "Heute blockiert",
"adsBlockedTodayPercentage": "Heute blockiert",
"dnsQueriesToday": "Heutige Anfragen"
}
},
"dnsHoleControls": {
"description": "Steuern Sie PiHole oder AdGuard von Ihrem Dashboard aus",
"option": {
"layout": {
"label": "Ansicht",
"option": {
"row": {
"label": "Horizontal"
},
"column": {
"label": "Vertikal"
}
}
}
},
"controls": {
"set": "Speichern",
"enabled": "Aktiviert",
"disabled": "Deaktiviert",
"hours": "Stunden",
"minutes": "Minuten"
}
},
"clock": {
"description": "Zeigt das aktuelle Datum und die Uhrzeit an.",
"option": {
"timezone": {
"label": "Zeitzone"
}
}
},
"notebook": {
"name": "Notizbuch",
"option": {
"showToolbar": {
"label": "Zeigt die Symbolleiste an, um Ihnen beim Schreiben der Markdown zu assistieren"
},
"allowReadOnlyCheck": {
"label": "Prüfung im Nur-Lese-Modus zulassen"
},
"content": {
"label": "Der Inhalt des Notizbuchs"
}
},
"controls": {
"bold": "Fett",
"italic": "Kursiv",
"strikethrough": "Durchgestrichen",
"underline": "Unterstrichen",
"colorText": "Farbiger Text",
"colorHighlight": "Farbig hervorgehobener Text",
"code": "Code",
"clear": "Formatierung entfernen",
"heading": "Überschrift {level}",
"align": "Text ausrichten: {position}",
"blockquote": "Blockzitat",
"horizontalLine": "Horizontale Linie",
"bulletList": "Aufzählung",
"orderedList": "Geordnete Liste",
"checkList": "Checkliste",
"increaseIndent": "Einzug vergrößern",
"decreaseIndent": "Einzug verkleinern",
"link": "Link",
"unlink": "Link entfernen",
"image": "Bild einbetten",
"addTable": "Tabelle hinzufügen",
"deleteTable": "Tabelle entfernen",
"colorCell": "Farbe der Tabellen Zelle",
"mergeCell": "Zellen-Zusammenführung umschalten",
"addColumnLeft": "Spalte davor hinzufügen",
"addColumnRight": "Spalte danach hinzufügen",
"deleteColumn": "Spalte löschen",
"addRowTop": "Zeile davor hinzufügen",
"addRowBelow": "Zeile danach hinzufügen",
"deleteRow": "Zeile löschen"
},
"align": {
"left": "Links",
"center": "Mittig",
"right": "Rechts"
},
"popover": {
"clearColor": "Farbe entfernen",
"source": "Quelle",
"widthPlaceholder": "Wert in % oder Pixel",
"columns": "Spalten",
"rows": "Zeilen",
"width": "Breite",
"height": "Höhe"
}
},
"iframe": {
"name": "iFrame",
"description": "Einbetten von Inhalten aus dem Internet. Einige Websites können den Zugriff einschränken.",
"option": {
"embedUrl": {
"label": "URL einbetten"
},
"allowFullScreen": {
"label": "Vollbildmodus zulassen"
},
"allowTransparency": {
"label": "Erlaube Transparenz"
},
"allowScrolling": {
"label": "Scrollen zulassen"
},
"allowPayment": {
"label": "Zahlung zulassen"
},
"allowAutoPlay": {
"label": "Automatische Wiedergabe zulassen"
},
"allowMicrophone": {
"label": "Mikrofonzugriff erlauben"
},
"allowCamera": {
"label": "Kamera freigeben"
},
"allowGeolocation": {
"label": "Geolokalisierung zulassen"
}
},
"error": {
"noBrowerSupport": "Ihr Browser unterstützt keine iframes. Bitte aktualisieren Sie Ihren Browser."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Eintrag-ID"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Anzeigename"
},
"automationId": {
"label": "Automatisierungs-ID"
}
}
},
"calendar": {
"name": "Kalender",
"option": {
"releaseType": {
"label": "Radarr Veröffentlichungs Typ"
}
}
},
"weather": {
"name": "Wetter",
"description": "Zeigt die aktuellen Wetterinformationen für einen bestimmten Ort an.",
"option": {
"location": {
"label": "Wetterstandort"
}
},
"kind": {
"clear": "Klar",
"mainlyClear": "Überwiegend klar",
"fog": "Nebel",
"drizzle": "Niesel",
"freezingDrizzle": "Eisiger Nieselregen",
"rain": "Regen",
"freezingRain": "Eisiger Regen",
"snowFall": "Schneefall",
"snowGrains": "Schneekörner",
"rainShowers": "Regenschauer",
"snowShowers": "Schneeschauer",
"thunderstorm": "Gewitter",
"thunderstormWithHail": "Gewitter mit Hagel",
"unknown": "Unbekannt"
}
},
"indexerManager": {
"name": "Status des Indexer-Managers",
"title": "Indexer-Manager",
"testAll": "Alle testen"
},
"healthMonitoring": {
"name": "Überwachung des Systemzustands",
"description": "Zeigt Informationen zum Zustand und Status Ihres/Ihrer Systeme(s) an.",
"option": {
"fahrenheit": {
"label": "CPU-Temperatur in Fahrenheit"
},
"cpu": {
"label": "CPU-Info anzeigen"
},
"memory": {
"label": "Speicher-Info anzeigen"
},
"fileSystem": {
"label": "Dateisystem Info anzeigen"
}
},
"popover": {
"available": "Verfügbar"
}
},
"common": {
"location": {
"search": "Suchen",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Unbekannt"
}
}
}
},
"video": {
"name": "Videostream",
"description": "Einbetten eines Videostreams oder eines Videos von einer Kamera oder einer Website",
"option": {
"feedUrl": {
"label": "Feed-URL"
},
"hasAutoPlay": {
"label": "Automatische Wiedergabe"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Hinzugefügt am"
},
"downSpeed": {
"columnTitle": "Down",
"detailsTitle": "Download Geschwindigkeit"
},
"integration": {
"columnTitle": "Integration"
},
"progress": {
"columnTitle": "Fortschritt"
},
"ratio": {
"columnTitle": "Verhältnis"
},
"state": {
"columnTitle": "Staat"
},
"upSpeed": {
"columnTitle": "Up"
}
},
"states": {
"downloading": "Herunterladen",
"queued": "In der Warteschlange",
"paused": "Pausiert",
"completed": "Abgeschlossen",
"unknown": "Unbekannt"
}
},
"mediaRequests-requestList": {
"description": "Sehen Sie eine Liste aller Medienanfragen von Ihrer Overseerr- oder Jellyseerr-Instanz",
"option": {
"linksTargetNewTab": {
"label": "Links in neuem Tab öffnen"
}
},
"availability": {
"unknown": "Unbekannt",
"partiallyAvailable": "Teilweise",
"available": "Verfügbar"
}
},
"mediaRequests-requestStats": {
"description": "Statistiken über Ihre Medienanfragen",
"titles": {
"stats": {
"main": "Medien-Statistiken",
"approved": "Bereits genehmigt",
"pending": "Ausstehende Freigaben",
"tv": "TV-Anfragen",
"movie": "Film-Anfragen",
"total": "Gesamt"
},
"users": {
"main": "Top-Nutzer"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Apps"
},
"screenSize": {
"option": {
"sm": "Klein",
"md": "Mittel",
"lg": "Groß"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Anhang des Hintergrundbildes"
},
"backgroundImageSize": {
"label": "Hintergrundbild-Größe"
},
"primaryColor": {
"label": "Primärfarbe"
},
"secondaryColor": {
"label": "Sekundärfarbe"
},
"customCss": {
"description": "Außerdem können Sie Ihr Dashboard mittels CSS anpassen, dies wird nur für erfahrene Benutzer empfohlen"
},
"name": {
"label": "Name"
},
"isPublic": {
"label": "Öffentlich sichtbar"
}
},
"setting": {
"section": {
"general": {
"title": "Allgemein"
},
"layout": {
"title": "Ansicht"
},
"background": {
"title": "Hintergrund"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Board anzeigen"
}
}
}
},
"dangerZone": {
"title": "Gefahrenzone",
"action": {
"delete": {
"confirm": {
"title": "Board löschen"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Startseite",
"boards": "Boards",
"apps": "Apps",
"users": {
"label": "Benutzer",
"items": {
"manage": "Verwalten",
"invites": "Einladungen"
}
},
"tools": {
"label": "Werkzeuge",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Einstellungen",
"help": {
"label": "Hilfe",
"items": {
"documentation": "Dokumentation",
"discord": "Community Discord"
}
},
"about": "Über"
}
},
"page": {
"home": {
"statistic": {
"board": "Boards",
"user": "Benutzer",
"invite": "Einladungen",
"app": "Apps"
},
"statisticLabel": {
"boards": "Boards"
}
},
"board": {
"title": "Deine Boards",
"action": {
"settings": {
"label": "Einstellungen"
},
"setHomeBoard": {
"badge": {
"label": "Startseite"
}
},
"delete": {
"label": "Dauerhaft löschen",
"confirm": {
"title": "Board löschen"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Name"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Allgemein",
"item": {
"firstDayOfWeek": "Erster Tag der Woche",
"accessibility": "Barrierefreiheit"
}
},
"security": {
"title": "Sicherheit"
},
"board": {
"title": "Boards"
}
},
"list": {
"metaTitle": "Verwaltung von Benutzern",
"title": "Benutzer"
},
"create": {
"metaTitle": "Benutzer erstellen",
"step": {
"security": {
"label": "Sicherheit"
}
}
},
"invite": {
"title": "Verwalten von Benutzereinladungen",
"action": {
"new": {
"description": "Nach Ablauf der Frist ist eine Einladung nicht mehr gültig und der Empfänger der Einladung kann kein Konto erstellen."
},
"copy": {
"link": "Link zur Einladung"
},
"delete": {
"title": "Einladung löschen",
"description": "Sind Sie sicher, dass Sie diese Einladung löschen möchten? Benutzer mit diesem Link können dann kein Konto mehr über diesen Link erstellen."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Ersteller"
},
"expirationDate": {
"label": "Ablaufdatum"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Allgemein"
}
}
},
"settings": {
"title": "Einstellungen"
},
"tool": {
"tasks": {
"status": {
"running": "Aktiv",
"error": "Fehler"
},
"job": {
"mediaServer": {
"label": "Medien Server"
},
"mediaRequests": {
"label": "Medienanfragen"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokumentation"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "Container",
"field": {
"name": {
"label": "Name"
},
"state": {
"label": "Staat",
"option": {
"created": "Erstellt",
"running": "Aktiv",
"paused": "Pausiert",
"restarting": "Startet neu",
"removing": "Wird entfernt"
}
},
"containerImage": {
"label": "Image"
},
"ports": {
"label": "Ports"
}
},
"action": {
"start": {
"label": "Starten"
},
"stop": {
"label": "Stopp"
},
"restart": {
"label": "Neustarten"
},
"remove": {
"label": "Entfernen"
}
}
},
"permission": {
"tab": {
"user": "Benutzer"
},
"field": {
"user": {
"label": "Benutzer"
}
}
},
"navigationStructure": {
"manage": {
"label": "Verwalten",
"boards": {
"label": "Boards"
},
"integrations": {
"edit": {
"label": "Bearbeiten"
}
},
"search-engines": {
"edit": {
"label": "Bearbeiten"
}
},
"apps": {
"label": "Apps",
"edit": {
"label": "Bearbeiten"
}
},
"users": {
"label": "Benutzer",
"create": {
"label": "Erstellen"
},
"general": "Allgemein",
"security": "Sicherheit",
"board": "Boards",
"invites": {
"label": "Einladungen"
}
},
"tools": {
"label": "Werkzeuge",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Einstellungen"
},
"about": {
"label": "Über"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Apps"
},
"board": {
"title": "Boards"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrents"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Hilfe",
"option": {
"documentation": {
"label": "Dokumentation"
},
"discord": {
"label": "Community Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Verwaltung von Benutzern"
},
"about": {
"label": "Über"
},
"preferences": {
"label": "Ihre Einstellungen"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Benutzer"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Name"
}
}
}
}
}

View File

@@ -1,196 +0,0 @@
import "dayjs/locale/de";
import dayjs from "dayjs";
import { MRT_Localization_DE } from "mantine-react-table/locales/de/index.cjs";
dayjs.locale("de");
export default {
user: {
page: {
login: {
title: "Melde dich bei deinem Konto an",
subtitle: "Willkommen zurück! Bitte gib deine Zugangsdaten ein",
},
init: {
title: "Neue Homarr Installation",
subtitle: "Bitte erstelle den initialen Administrator Benutzer",
},
},
field: {
username: {
label: "Benutzername",
},
password: {
label: "Passwort",
},
passwordConfirm: {
label: "Passwort bestätigen",
},
},
action: {
login: "Anmelden",
create: "Benutzer erstellen",
},
},
integration: {
page: {
list: {
title: "Integrationen",
search: "Integration suchen",
empty: "Keine Integrationen gefunden",
},
create: {
title: "Neue {name} Integration erstellen",
notification: {
success: {
title: "Erstellung erfolgreich",
message: "Die Integration wurde erfolgreich erstellt",
},
error: {
title: "Erstellung fehlgeschlagen",
message: "Die Integration konnte nicht erstellt werden",
},
},
},
edit: {
title: "{name} Integration bearbeiten",
notification: {
success: {
title: "Änderungen erfolgreich angewendet",
message: "Die Integration wurde erfolgreich gespeichert",
},
error: {
title: "Änderungen konnten nicht angewendet werden",
message: "Die Integration konnte nicht gespeichert werden",
},
},
},
delete: {
title: "Integration entfernen",
message: "Möchtest du die Integration {name} wirklich entfernen?",
notification: {
success: {
title: "Entfernen erfolgreich",
message: "Die Integration wurde erfolgreich entfernt",
},
error: {
title: "Entfernen fehlgeschlagen",
message: "Die Integration konnte nicht entfernt werden",
},
},
},
},
field: {
name: {
label: "Name",
},
url: {
label: "Url",
},
},
action: {
create: "Neue Integration",
},
testConnection: {
action: "Verbindung überprüfen",
alertNotice: "Der Button zum Speichern wird aktiviert, sobald die Verbindung erfolgreich überprüft wurde",
notification: {
success: {
title: "Verbindung erfolgreich",
message: "Die Verbindung wurde erfolgreich hergestellt",
},
invalidUrl: {
title: "Ungültige URL",
message: "Die URL ist ungültig",
},
notAllSecretsProvided: {
title: "Fehlende Zugangsdaten",
message: "Es wurden nicht alle Zugangsdaten angegeben",
},
invalidCredentials: {
title: "Ungültige Zugangsdaten",
message: "Die Zugangsdaten sind ungültig",
},
commonError: {
title: "Verbindung fehlgeschlagen",
message: "Die Verbindung konnte nicht hergestellt werden",
},
},
},
secrets: {
title: "Zugangsdaten",
lastUpdated: "Zuletzt geändert {date}",
secureNotice: "Diese Zugangsdaten können nach der Erstellung nicht mehr ausgelesen werden",
reset: {
title: "Zugangsdaten zurücksetzen",
message: "Möchtest du diese Zugangsdaten wirklich zurücksetzen?",
},
kind: {
username: {
label: "Benutzername",
newLabel: "Neuer Benutzername",
},
apiKey: {
label: "API Key",
newLabel: "Neuer API Key",
},
password: {
label: "Passwort",
newLabel: "Neues Passwort",
},
},
},
},
common: {
rtl: "{value}{symbol}",
action: {
backToOverview: "Zurück zur Übersicht",
create: "Erstellen",
edit: "Bearbeiten",
save: "Speichern",
cancel: "Abbrechen",
confirm: "Bestätigen",
},
multiSelect: {
placeholder: "Wähle eine oder mehrere Optionen aus",
},
noResults: "Keine Ergebnisse gefunden",
mantineReactTable: MRT_Localization_DE,
},
widget: {
editModal: {
integrations: {
label: "Integrationen",
},
},
clock: {
option: {
is24HourFormat: {
label: "24-Stunden Format",
description: "Verwende das 24-Stunden Format anstelle des 12-Stunden Formats",
},
isLocaleTime: {
label: "Lokale Zeit verwenden",
},
timezone: {
label: "Zeitzone",
},
},
},
weather: {
option: {
location: {
label: "Standort",
},
showCity: {
label: "Stadt anzeigen",
},
},
},
},
search: {
placeholder: "Suche nach etwas",
nothingFound: "Nichts gefunden",
},
} as const;

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Χρήστες",
"name": "Χρήστης",
"field": {
"email": {
"label": "E-Mail"
},
"username": {
"label": "Όνομα Χρήστη"
},
"password": {
"label": "Κωδικός",
"requirement": {
"lowercase": "Περιλαμβάνει πεζό γράμμα",
"uppercase": "Περιλαμβάνει κεφαλαίο γράμμα",
"number": "Περιλαμβάνει αριθμό"
}
},
"passwordConfirm": {
"label": "Επιβεβαίωση κωδικού"
}
},
"action": {
"login": {
"label": "Σύνδεση"
},
"register": {
"label": "Δημιουργία λογαριασμού",
"notification": {
"success": {
"title": "Ο λογαριασμός δημιουργήθηκε"
}
}
},
"create": "Δημιουργία χρήστη"
}
},
"group": {
"field": {
"name": "Όνομα"
},
"permission": {
"admin": {
"title": "Διαχειριστής"
},
"board": {
"title": "Πίνακες"
}
}
},
"app": {
"page": {
"list": {
"title": "Εφαρμογές"
}
},
"field": {
"name": {
"label": "Όνομα"
}
}
},
"integration": {
"field": {
"name": {
"label": "Όνομα"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Μη Έγκυρος Σύνδεσμος"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Όνομα Χρήστη"
},
"password": {
"label": "Κωδικός",
"newLabel": "Νέος κωδικός"
}
}
}
},
"media": {
"field": {
"name": "Όνομα",
"size": "Μέγεθος",
"creator": "Δημιουργός"
}
},
"common": {
"error": "Σφάλμα",
"action": {
"add": "Προσθήκη",
"apply": "Εφαρμογή",
"create": "Δημιουργία",
"edit": "Επεξεργασία",
"insert": "Εισαγωγή",
"remove": "Αφαίρεση",
"save": "Αποθήκευση",
"saveChanges": "Αποθήκευση αλλαγών",
"cancel": "Ακύρωση",
"delete": "Διαγραφή",
"confirm": "Επιβεβαίωση",
"previous": "Προηγούμενο",
"next": "Επόμενο",
"tryAgain": "Προσπαθήστε ξανά"
},
"information": {
"hours": "Ώρες",
"minutes": "Λεπτά"
},
"userAvatar": {
"menu": {
"preferences": "Οι ρυθμίσεις σας",
"login": "Σύνδεση"
}
},
"dangerZone": "Επικίνδυνη Περιοχή",
"noResults": "Δεν βρέθηκαν αποτελέσματα",
"zod": {
"errors": {
"default": "Το πεδίο δεν είναι έγκυρο",
"required": "Αυτό το πεδίο είναι υποχρεωτικό",
"string": {
"startsWith": "Αυτό το πεδίο πρέπει να ξεκινά με {startsWith}",
"endsWith": "Το πεδίο αυτό πρέπει να τελειώνει με {endsWith}",
"includes": "Το πεδίο αυτό πρέπει να περιλαμβάνει το {includes}"
},
"tooSmall": {
"string": "Το πεδίο αυτό πρέπει να έχει μήκος τουλάχιστον {minimum} χαρακτήρες",
"number": "Το πεδίο αυτό πρέπει να είναι μεγαλύτερο ή ίσο του {minimum}"
},
"tooBig": {
"string": "Το πεδίο αυτό πρέπει να έχει μήκος το πολύ {maximum} χαρακτήρες",
"number": "Το πεδίο αυτό πρέπει να είναι μικρότερο ή ίσο του {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Όνομα"
}
},
"action": {
"moveUp": "Μετακίνηση επάνω",
"moveDown": "Μετακίνηση κάτω"
},
"menu": {
"label": {
"changePosition": "Αλλαγή θέσης"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Ρυθμίσεις"
}
},
"moveResize": {
"field": {
"width": {
"label": "Πλάτος"
},
"height": {
"label": "Ύψος"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Άνοιγμα σε νέα καρτέλα"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Διάταξη",
"option": {
"row": {
"label": "Οριζόντια"
},
"column": {
"label": "Κατακόρυφα"
}
}
}
},
"data": {
"adsBlockedToday": "Σημερινοί αποκλεισμοί",
"adsBlockedTodayPercentage": "Σημερινοί αποκλεισμοί",
"dnsQueriesToday": "Σημερινά queries"
}
},
"dnsHoleControls": {
"description": "Ελέγξτε το PiHole ή το AdGuard από το dashboard σας",
"option": {
"layout": {
"label": "Διάταξη",
"option": {
"row": {
"label": "Οριζόντια"
},
"column": {
"label": "Κατακόρυφα"
}
}
}
},
"controls": {
"set": "Ορισμός",
"enabled": "Ενεργοποιημένο",
"disabled": "Απενεργοποιημένο",
"hours": "Ώρες",
"minutes": "Λεπτά"
}
},
"clock": {
"description": "Εμφανίζει την τρέχουσα ημερομηνία και ώρα.",
"option": {
"timezone": {
"label": "Ζώνη ώρας"
}
}
},
"notebook": {
"name": "Σημειωματάριο",
"option": {
"showToolbar": {
"label": "Εμφάνιση γραμμής εργαλείων για να σας βοηθήσει να γράψετε σημάνσεις"
},
"allowReadOnlyCheck": {
"label": "Να επιτρέπεται η επιλογή σε λειτουργία μόνο ανάγνωσης"
},
"content": {
"label": "Το περιεχόμενο του σημειωματάριου"
}
},
"controls": {
"bold": "Έντονη γραφή",
"italic": "Πλάγια γραφή",
"strikethrough": "Διαγραμμισμένο Κείμενο",
"underline": "Υπογραμμισμένο Κείμενο",
"colorText": "Έγχρωμο κείμενο",
"colorHighlight": "Έγχρωμο κείμενο επισήμανσης",
"code": "Κωδικός",
"clear": "Εκκαθάριση μορφοποίησης",
"heading": "Επικεφαλίδα {level}",
"align": "Στοίχιση κειμένου: {position}",
"blockquote": "Μπλοκ κειμένου παράθεσης",
"horizontalLine": "Οριζόντια γραμμή",
"bulletList": "Λίστα με κουκκίδες",
"orderedList": "Ταξινομημένη λίστα",
"checkList": "Λίστα ελέγχου",
"increaseIndent": "Αύξηση εσοχής",
"decreaseIndent": "Μείωση εσοχής",
"link": "Σύνδεσμος",
"unlink": "Αφαίρεση συνδέσμου",
"image": "Ενσωμάτωση εικόνας",
"addTable": "Προσθήκη πίνακα",
"deleteTable": "Διαγραφή πίνακα",
"colorCell": "Χρώμα κελιού",
"mergeCell": "Εναλλαγή συγχώνευσης κελιού",
"addColumnLeft": "Προσθήκη στήλης πριν",
"addColumnRight": "Προσθήκη στήλης μετά",
"deleteColumn": "Διαγραφή στήλης",
"addRowTop": "Προσθήκη γραμμής πριν",
"addRowBelow": "Προσθήκη γραμμής μετά",
"deleteRow": "Διαγραφή γραμμής"
},
"align": {
"left": "Αριστερά",
"center": "Κέντρο",
"right": "Δεξιά"
},
"popover": {
"clearColor": "Καθαρισμός χρώματος",
"source": "Πηγή",
"widthPlaceholder": "Τιμή σε % ή εικονοστοιχεία",
"columns": "Στήλες",
"rows": "Γραμμές",
"width": "Πλάτος",
"height": "Ύψος"
}
},
"iframe": {
"name": "iframe",
"description": "Ενσωματώστε οποιοδήποτε περιεχόμενο από το διαδίκτυο. Ορισμένοι ιστότοποι ενδέχεται να περιορίζουν την πρόσβαση.",
"option": {
"embedUrl": {
"label": "URL ενσωμάτωσης"
},
"allowFullScreen": {
"label": "Επιτρέψτε την πλήρη οθόνη"
},
"allowTransparency": {
"label": "Να επιτρέπεται η διαφάνεια"
},
"allowScrolling": {
"label": "Επιτρέπεται η κύλιση"
},
"allowPayment": {
"label": "Επιτρέπονται πληρωμές"
},
"allowAutoPlay": {
"label": "Επιτρέπεται η αυτόματη αναπαραγωγή"
},
"allowMicrophone": {
"label": "Πρόσβαση στο μικρόφωνο"
},
"allowCamera": {
"label": "Πρόσβαση στην κάμερα"
},
"allowGeolocation": {
"label": "Επιτρέπεται ο γεωεντοπισμός"
}
},
"error": {
"noBrowerSupport": "Ο περιηγητής σας δεν υποστηρίζει iframes. Παρακαλούμε ενημερώστε το πρόγραμμα περιήγησης."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Αναγνωριστικό οντότητας"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Εμφανιζόμενο όνομα"
},
"automationId": {
"label": "Αναγνωριστικό αυτοματισμού"
}
}
},
"calendar": {
"name": "Ημερολόγιο",
"option": {
"releaseType": {
"label": "Τύπος κυκλοφορίας Radarr"
}
}
},
"weather": {
"name": "Καιρός",
"description": "Εμφανίζει τις τρέχουσες πληροφορίες καιρού μιας καθορισμένης τοποθεσίας.",
"option": {
"location": {
"label": "Τοποθεσία καιρού"
}
},
"kind": {
"clear": "Καθαρός",
"mainlyClear": "Κυρίως καθαρός",
"fog": "Ομίχλη",
"drizzle": "Ψιχάλες",
"freezingDrizzle": "Παγωμένο ψιλόβροχο",
"rain": "Βροχή",
"freezingRain": "Παγωμένη βροχή",
"snowFall": "Χιονόπτωση",
"snowGrains": "Κόκκοι χιονιού",
"rainShowers": "Βροχοπτώσεις",
"snowShowers": "Χιονοπτώσεις",
"thunderstorm": "Καταιγίδα",
"thunderstormWithHail": "Καταιγίδα με χαλάζι",
"unknown": "Άγνωστο"
}
},
"indexerManager": {
"name": "Κατάσταση διαχειριστή indexer",
"title": "Διαχειριστής indexer",
"testAll": "Δοκιμή όλων"
},
"healthMonitoring": {
"name": "Παρακολούθηση της υγείας του συστήματος",
"description": "Εμφανίζει πληροφορίες που δείχνουν την κατάσταση και την υγεία του/ων συστήματος/ων σας.",
"option": {
"fahrenheit": {
"label": "Θερμοκρασία CPU σε Φαρενάιτ"
},
"cpu": {
"label": "Εμφάνιση πληροφοριών επεξεργαστή"
},
"memory": {
"label": "Εμφάνιση Πληροφοριών Μνήμης"
},
"fileSystem": {
"label": "Εμφάνιση Πληροφοριών Συστήματος Αρχείων"
}
},
"popover": {
"available": "Διαθέσιμο"
}
},
"common": {
"location": {
"search": "Αναζήτηση",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Άγνωστο"
}
}
}
},
"video": {
"name": "Ροή Βίντεο",
"description": "Ενσωματώστε μια ροή βίντεο ή βίντεο από μια κάμερα ή έναν ιστότοπο",
"option": {
"feedUrl": {
"label": "URL τροφοδοσίας"
},
"hasAutoPlay": {
"label": "Αυτόματη αναπαραγωγή"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Ημερομηνία Προσθήκης"
},
"downSpeed": {
"columnTitle": "Κάτω",
"detailsTitle": "Ταχύτητα Λήψης"
},
"integration": {
"columnTitle": "Ενσωμάτωση"
},
"progress": {
"columnTitle": "Πρόοδος"
},
"ratio": {
"columnTitle": "Αναλογία"
},
"state": {
"columnTitle": "Κατάσταση"
},
"upSpeed": {
"columnTitle": "Πάνω"
}
},
"states": {
"downloading": "Λήψη",
"queued": "Στην ουρά",
"paused": "Σε παύση",
"completed": "Ολοκληρώθηκε",
"unknown": "Άγνωστο"
}
},
"mediaRequests-requestList": {
"description": "Δείτε μια λίστα με όλα τα αιτήματα μέσων ενημέρωσης από την περίπτωση Overseerr ή Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Άνοιγμα συνδέσμων σε νέα καρτέλα"
}
},
"availability": {
"unknown": "Άγνωστο",
"partiallyAvailable": "Μερικώς",
"available": "Διαθέσιμο"
}
},
"mediaRequests-requestStats": {
"description": "Στατιστικά στοιχεία σχετικά με τα αιτήματά σας για τα μέσα ενημέρωσης",
"titles": {
"stats": {
"main": "Στατιστικά Πολυμέσων",
"approved": "Ήδη εγκεκριμένα",
"pending": "Εκκρεμείς εγκρίσεις",
"tv": "Αιτήσεις TV",
"movie": "Αιτήσεις ταινιών",
"total": "Σύνολο"
},
"users": {
"main": "Κορυφαίοι Χρήστες"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Εφαρμογές"
},
"screenSize": {
"option": {
"sm": "Μικρό",
"md": "Μεσαίο",
"lg": "Μεγάλο"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Συνημμένη εικόνα φόντου"
},
"backgroundImageSize": {
"label": "Μέγεθος εικόνας φόντου"
},
"primaryColor": {
"label": "Βασικό χρώμα"
},
"secondaryColor": {
"label": "Δευτερεύον χρώμα"
},
"customCss": {
"description": "Περαιτέρω, προσαρμόστε τον πίνακα ελέγχου σας χρησιμοποιώντας CSS, συνιστάται μόνο για έμπειρους χρήστες"
},
"name": {
"label": "Όνομα"
},
"isPublic": {
"label": "Δημόσιο"
}
},
"setting": {
"section": {
"general": {
"title": "Γενικά"
},
"layout": {
"title": "Διάταξη"
},
"background": {
"title": "Φόντο"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Προβολή πίνακα"
}
}
}
},
"dangerZone": {
"title": "Επικίνδυνη Περιοχή",
"action": {
"delete": {
"confirm": {
"title": "Διαγραφή πίνακα"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Αρχική",
"boards": "Πίνακες",
"apps": "Εφαρμογές",
"users": {
"label": "Χρήστες",
"items": {
"manage": "Διαχείριση",
"invites": "Προσκλήσεις"
}
},
"tools": {
"label": "Εργαλεία",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Ρυθμίσεις",
"help": {
"label": "Βοήθεια",
"items": {
"documentation": "Τεκμηρίωση",
"discord": "Κοινότητα Discord"
}
},
"about": "Σχετικά"
}
},
"page": {
"home": {
"statistic": {
"board": "Πίνακες",
"user": "Χρήστες",
"invite": "Προσκλήσεις",
"app": "Εφαρμογές"
},
"statisticLabel": {
"boards": "Πίνακες"
}
},
"board": {
"title": "Οι πίνακές σας",
"action": {
"settings": {
"label": "Ρυθμίσεις"
},
"setHomeBoard": {
"badge": {
"label": "Αρχική"
}
},
"delete": {
"label": "Οριστική διαγραφή",
"confirm": {
"title": "Διαγραφή πίνακα"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Όνομα"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Γενικά",
"item": {
"firstDayOfWeek": "Πρώτη ημέρα της εβδομάδας",
"accessibility": "Προσβασιμότητα"
}
},
"security": {
"title": "Ασφάλεια"
},
"board": {
"title": "Πίνακες"
}
},
"list": {
"metaTitle": "Διαχείριση χρηστών",
"title": "Χρήστες"
},
"create": {
"metaTitle": "Δημιουργία χρήστη",
"step": {
"security": {
"label": "Ασφάλεια"
}
}
},
"invite": {
"title": "Διαχείριση προσκλήσεων χρηστών",
"action": {
"new": {
"description": "Μετά τη λήξη, μια πρόσκληση δε θα είναι πλέον έγκυρη και ο παραλήπτης της πρόσκλησης δε θα είναι σε θέση να δημιουργήσει λογαριασμό."
},
"copy": {
"link": "Σύνδεσμος πρόσκλησης"
},
"delete": {
"title": "Διαγραφή πρόσκλησης",
"description": "Είστε σίγουροι ότι θέλετε να διαγράψετε αυτή την πρόσκληση; Οι χρήστες με αυτόν τον σύνδεσμο δεν θα μπορούν πλέον να δημιουργήσουν λογαριασμό χρησιμοποιώντας αυτόν τον σύνδεσμο."
}
},
"field": {
"id": {
"label": "Αναγνωριστικό (ID)"
},
"creator": {
"label": "Δημιουργός"
},
"expirationDate": {
"label": "Ημερομηνία λήξης"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Γενικά"
}
}
},
"settings": {
"title": "Ρυθμίσεις"
},
"tool": {
"tasks": {
"status": {
"running": "Εκτελείται",
"error": "Σφάλμα"
},
"job": {
"mediaServer": {
"label": "Διακομιστής πολυμέσων"
},
"mediaRequests": {
"label": "Αιτήματα μέσων ενημέρωσης"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Τεκμηρίωση"
},
"apiKey": {
"table": {
"header": {
"id": "Αναγνωριστικό (ID)"
}
}
}
}
}
}
}
},
"docker": {
"title": "Containers",
"field": {
"name": {
"label": "Όνομα"
},
"state": {
"label": "Κατάσταση",
"option": {
"created": "Δημιουργήθηκε",
"running": "Εκτελείται",
"paused": "Σε παύση",
"restarting": "Γίνεται επανεκκίνηση",
"removing": "Αφαιρείται"
}
},
"containerImage": {
"label": "Εικόνα"
},
"ports": {
"label": "Θύρες"
}
},
"action": {
"start": {
"label": "Έναρξη"
},
"stop": {
"label": "Διακοπή"
},
"restart": {
"label": "Επανεκκίνηση"
},
"remove": {
"label": "Αφαίρεση"
}
}
},
"permission": {
"tab": {
"user": "Χρήστες"
},
"field": {
"user": {
"label": "Χρήστης"
}
}
},
"navigationStructure": {
"manage": {
"label": "Διαχείριση",
"boards": {
"label": "Πίνακες"
},
"integrations": {
"edit": {
"label": "Επεξεργασία"
}
},
"search-engines": {
"edit": {
"label": "Επεξεργασία"
}
},
"apps": {
"label": "Εφαρμογές",
"edit": {
"label": "Επεξεργασία"
}
},
"users": {
"label": "Χρήστες",
"create": {
"label": "Δημιουργία"
},
"general": "Γενικά",
"security": "Ασφάλεια",
"board": "Πίνακες",
"invites": {
"label": "Προσκλήσεις"
}
},
"tools": {
"label": "Εργαλεία",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Ρυθμίσεις"
},
"about": {
"label": "Σχετικά"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Εφαρμογές"
},
"board": {
"title": "Πίνακες"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Τόρρεντ"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Βοήθεια",
"option": {
"documentation": {
"label": "Τεκμηρίωση"
},
"discord": {
"label": "Κοινότητα Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Διαχείριση χρηστών"
},
"about": {
"label": "Σχετικά"
},
"preferences": {
"label": "Οι ρυθμίσεις σας"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Χρήστες"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Όνομα"
}
}
}
}
}

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Usuarios",
"name": "Usuario",
"field": {
"email": {
"label": "Correo electrónico"
},
"username": {
"label": "Nombre de usuario"
},
"password": {
"label": "Contraseña",
"requirement": {
"lowercase": "Incluye letra minúscula",
"uppercase": "Incluye letra mayúscula",
"number": "Incluye número"
}
},
"passwordConfirm": {
"label": "Confirmar contraseña"
}
},
"action": {
"login": {
"label": "Iniciar sesión"
},
"register": {
"label": "Crear cuenta",
"notification": {
"success": {
"title": "Cuenta creada"
}
}
},
"create": "Crear usuario"
}
},
"group": {
"field": {
"name": "Nombre"
},
"permission": {
"admin": {
"title": "Administrador"
},
"board": {
"title": "Tableros"
}
}
},
"app": {
"page": {
"list": {
"title": "Aplicaciones"
}
},
"field": {
"name": {
"label": "Nombre"
}
}
},
"integration": {
"field": {
"name": {
"label": "Nombre"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "URL invalida"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Nombre de usuario"
},
"password": {
"label": "Contraseña",
"newLabel": "Nueva contraseña"
}
}
}
},
"media": {
"field": {
"name": "Nombre",
"size": "Tamaño",
"creator": "Creador"
}
},
"common": {
"error": "Error",
"action": {
"add": "Añadir",
"apply": "Aplicar",
"create": "Crear",
"edit": "Editar",
"insert": "Insertar",
"remove": "Eliminar",
"save": "Guardar",
"saveChanges": "Guardar cambios",
"cancel": "Cancelar",
"delete": "Eliminar",
"confirm": "Confirmar",
"previous": "Anterior",
"next": "Siguiente",
"tryAgain": "Inténtalo de nuevo"
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "Tus preferencias",
"login": "Iniciar sesión"
}
},
"dangerZone": "Zona de riesgo",
"noResults": "No se han encontrado resultados",
"zod": {
"errors": {
"default": "Este campo no es válido",
"required": "Este campo es obligatorio",
"string": {
"startsWith": "Este campo debe empezar con {startsWith}",
"endsWith": "Este campo debe terminar con {endsWith}",
"includes": "Este campo debe incluir {includes}"
},
"tooSmall": {
"string": "Este campo debe tener al menos {minimum} caracteres",
"number": "Este campo debe ser mayor o igual a {minimum}"
},
"tooBig": {
"string": "Este campo debe tener como máximo {maximum} caracteres",
"number": "Este campo debe ser menor o igual a {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Nombre"
}
},
"action": {
"moveUp": "Mover hacia arriba",
"moveDown": "Mover hacia abajo"
},
"menu": {
"label": {
"changePosition": "Cambiar posición"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Ajustes"
}
},
"moveResize": {
"field": {
"width": {
"label": "Ancho"
},
"height": {
"label": "Alto"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Abrir en una pestaña nueva"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Diseño",
"option": {
"row": {
"label": "Horizontal"
},
"column": {
"label": "Vertical"
}
}
}
},
"data": {
"adsBlockedToday": "Bloqueados hoy",
"adsBlockedTodayPercentage": "Bloqueados hoy",
"dnsQueriesToday": "Consultas de hoy"
}
},
"dnsHoleControls": {
"description": "Controla Pihole o AdGuard desde tu panel",
"option": {
"layout": {
"label": "Diseño",
"option": {
"row": {
"label": "Horizontal"
},
"column": {
"label": "Vertical"
}
}
}
},
"controls": {
"set": "",
"enabled": "Activado",
"disabled": "Desactivado",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "Muestra la fecha y hora actual.",
"option": {
"timezone": {
"label": "Zona horaria"
}
}
},
"notebook": {
"name": "Bloc de notas",
"option": {
"showToolbar": {
"label": "Muestra la barra de herramientas para ayudarte a escribir Markdown"
},
"allowReadOnlyCheck": {
"label": "Permitir verificación en modo solo lectura"
},
"content": {
"label": "El contenido del Bloc de notas"
}
},
"controls": {
"bold": "Negrita",
"italic": "Cursiva",
"strikethrough": "Tachado",
"underline": "Subrayado",
"colorText": "Color de texto",
"colorHighlight": "Texto resaltado en color",
"code": "Código",
"clear": "Borrar formato",
"heading": "Encabezado {level}",
"align": "Alinear texto: {position}",
"blockquote": "Cita",
"horizontalLine": "Línea horizontal",
"bulletList": "Lista sin ordenar",
"orderedList": "Lista ordenada",
"checkList": "Lista de control",
"increaseIndent": "Aumentar sangría",
"decreaseIndent": "Disminuir sangría",
"link": "Enlace",
"unlink": "Eliminar enlace",
"image": "Insertar imagen",
"addTable": "Añadir tabla",
"deleteTable": "Eliminar tabla",
"colorCell": "Color de celda",
"mergeCell": "Alternar combinación de celdas",
"addColumnLeft": "Añadir columna a la izquierda",
"addColumnRight": "Añadir columna a la derecha",
"deleteColumn": "Eliminar columna",
"addRowTop": "Añadir fila encima",
"addRowBelow": "Añadir fila debajo",
"deleteRow": "Eliminar fila"
},
"align": {
"left": "Izquierda",
"center": "Centrar",
"right": "Derecha"
},
"popover": {
"clearColor": "Eliminar color",
"source": "Fuente",
"widthPlaceholder": "Valor en % o píxeles",
"columns": "Columnas",
"rows": "Filas",
"width": "Ancho",
"height": "Alto"
}
},
"iframe": {
"name": "iFrame",
"description": "Incrusta cualquier contenido de Internet. Algunos sitios web pueden restringir el acceso.",
"option": {
"embedUrl": {
"label": "URL incrustada"
},
"allowFullScreen": {
"label": "Permitir pantalla completa"
},
"allowTransparency": {
"label": "Permitir transparencia"
},
"allowScrolling": {
"label": "Permitir desplazamiento"
},
"allowPayment": {
"label": "Permitir pago"
},
"allowAutoPlay": {
"label": "Permitir reproducción automática"
},
"allowMicrophone": {
"label": "Permitir micrófono"
},
"allowCamera": {
"label": "Permitir cámara"
},
"allowGeolocation": {
"label": "Permitir geolocalización"
}
},
"error": {
"noBrowerSupport": "Tu navegador no soporta iframes. Por favor, actualice tu navegador."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "ID de la entidad"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Nombre a mostrar"
},
"automationId": {
"label": "ID de automatización"
}
}
},
"calendar": {
"name": "Calendario",
"option": {
"releaseType": {
"label": "Tipo de lanzamiento de Radarr"
}
}
},
"weather": {
"name": "El Tiempo",
"description": "Muestra la información meteorológica actual de la ubicación establecida.",
"option": {
"location": {
"label": "Ubicación"
}
},
"kind": {
"clear": "Despejado",
"mainlyClear": "Mayormente despejado",
"fog": "Niebla",
"drizzle": "Llovizna",
"freezingDrizzle": "Llovizna helada",
"rain": "Lluvia",
"freezingRain": "Lluvia helada",
"snowFall": "Nevada",
"snowGrains": "Granos de nieve",
"rainShowers": "Chubascos",
"snowShowers": "Chubascos de nieve",
"thunderstorm": "Tormenta eléctrica",
"thunderstormWithHail": "Tormenta con granizo",
"unknown": "Desconocido"
}
},
"indexerManager": {
"name": "",
"title": "",
"testAll": ""
},
"healthMonitoring": {
"name": "Monitorización de Salud del Sistema",
"description": "Muestra información sobre la salud y el estado de tu(s) sistema(s).",
"option": {
"fahrenheit": {
"label": "Temperatura de la CPU en grados Fahrenheit"
},
"cpu": {
"label": "Mostrar información de la CPU"
},
"memory": {
"label": "Mostrar información de la memoria"
},
"fileSystem": {
"label": "Mostrar información del sistema de archivos"
}
},
"popover": {
"available": "Disponible"
}
},
"common": {
"location": {
"search": "Buscar",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Desconocido"
}
}
}
},
"video": {
"name": "Video en directo",
"description": "Incrusta una transmisión de video o un video de una cámara o un sitio web",
"option": {
"feedUrl": {
"label": "Fuente URL"
},
"hasAutoPlay": {
"label": "Auto-reproducción"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": ""
},
"downSpeed": {
"columnTitle": "Descarga",
"detailsTitle": "Velocidad de Descarga"
},
"integration": {
"columnTitle": "Integración"
},
"progress": {
"columnTitle": "Completado %"
},
"ratio": {
"columnTitle": "Ratio"
},
"state": {
"columnTitle": "Estado"
},
"upSpeed": {
"columnTitle": "Subida"
}
},
"states": {
"downloading": "Descargando",
"queued": "",
"paused": "Pausado",
"completed": "Completado",
"unknown": "Desconocido"
}
},
"mediaRequests-requestList": {
"description": "Mostrar una lista de todas las solicitudes multimedia de tu instancia de Overseerr o Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Abrir enlaces en una pestaña nueva"
}
},
"availability": {
"unknown": "Desconocido",
"partiallyAvailable": "Parcial",
"available": "Disponible"
}
},
"mediaRequests-requestStats": {
"description": "Estadísticas sobre tus solicitudes multimedia",
"titles": {
"stats": {
"main": "Estadísticas Multimedia",
"approved": "Ya aprobado",
"pending": "Aprobaciones pendientes",
"tv": "Solicitudes de TV",
"movie": "Solicitudes de películas",
"total": "Total"
},
"users": {
"main": "Mejores usuarios"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Aplicaciones"
},
"screenSize": {
"option": {
"sm": "Pequeño",
"md": "Mediano",
"lg": "Grande"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Adjuntar imagen de fondo"
},
"backgroundImageSize": {
"label": "Tamaño de la imagen de fondo"
},
"primaryColor": {
"label": "Color primario"
},
"secondaryColor": {
"label": "Color secundario"
},
"customCss": {
"description": "Además, personaliza tu panel usando CSS, solo recomendado para usuarios avanzados"
},
"name": {
"label": "Nombre"
},
"isPublic": {
"label": "Pública"
}
},
"setting": {
"section": {
"general": {
"title": "General"
},
"layout": {
"title": "Diseño"
},
"background": {
"title": "Fondo"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Ver tablero"
}
}
}
},
"dangerZone": {
"title": "Zona de riesgo",
"action": {
"delete": {
"confirm": {
"title": "Eliminar tablero"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Inicio",
"boards": "Tableros",
"apps": "Aplicaciones",
"users": {
"label": "Usuarios",
"items": {
"manage": "Administrar",
"invites": "Invitaciones"
}
},
"tools": {
"label": "Herramientas",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Ajustes",
"help": {
"label": "Ayuda",
"items": {
"documentation": "Documentación",
"discord": "Comunidad Discord"
}
},
"about": "Acerca de"
}
},
"page": {
"home": {
"statistic": {
"board": "Tableros",
"user": "Usuarios",
"invite": "Invitaciones",
"app": "Aplicaciones"
},
"statisticLabel": {
"boards": "Tableros"
}
},
"board": {
"title": "Tus tableros",
"action": {
"settings": {
"label": "Ajustes"
},
"setHomeBoard": {
"badge": {
"label": "Inicio"
}
},
"delete": {
"label": "Eliminar permanentemente",
"confirm": {
"title": "Eliminar tablero"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Nombre"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "General",
"item": {
"firstDayOfWeek": "Primer día de la semana",
"accessibility": "Accesibilidad"
}
},
"security": {
"title": "Seguridad"
},
"board": {
"title": "Tableros"
}
},
"list": {
"metaTitle": "Administrar usuarios",
"title": "Usuarios"
},
"create": {
"metaTitle": "Crear usuario",
"step": {
"security": {
"label": "Seguridad"
}
}
},
"invite": {
"title": "Administrar invitaciones de usuario",
"action": {
"new": {
"description": "Después de la caducidad, una invitación ya no será válida y el destinatario de la invitación no podrá crear una cuenta."
},
"copy": {
"link": "Link de invitación"
},
"delete": {
"title": "Eliminar invitación",
"description": "¿Estás seguro de que deseas eliminar esta invitación? Los usuarios con este enlace ya no podrán crear una cuenta usando ese enlace."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Creador"
},
"expirationDate": {
"label": "Fecha de caducidad"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "General"
}
}
},
"settings": {
"title": "Ajustes"
},
"tool": {
"tasks": {
"status": {
"running": "En ejecución",
"error": "Error"
},
"job": {
"mediaServer": {
"label": "Servidor Multimedia"
},
"mediaRequests": {
"label": "Solicitudes multimedia"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Documentación"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "Nombre"
},
"state": {
"label": "Estado",
"option": {
"created": "Creado",
"running": "En ejecución",
"paused": "Pausado",
"restarting": "Reiniciando",
"removing": "Eliminando"
}
},
"containerImage": {
"label": "Imagen"
},
"ports": {
"label": "Puertos"
}
},
"action": {
"start": {
"label": "Iniciar"
},
"stop": {
"label": "Detener"
},
"restart": {
"label": "Reiniciar"
},
"remove": {
"label": "Eliminar"
}
}
},
"permission": {
"tab": {
"user": "Usuarios"
},
"field": {
"user": {
"label": "Usuario"
}
}
},
"navigationStructure": {
"manage": {
"label": "Administrar",
"boards": {
"label": "Tableros"
},
"integrations": {
"edit": {
"label": "Editar"
}
},
"search-engines": {
"edit": {
"label": "Editar"
}
},
"apps": {
"label": "Aplicaciones",
"edit": {
"label": "Editar"
}
},
"users": {
"label": "Usuarios",
"create": {
"label": "Crear"
},
"general": "General",
"security": "Seguridad",
"board": "Tableros",
"invites": {
"label": "Invitaciones"
}
},
"tools": {
"label": "Herramientas",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Ajustes"
},
"about": {
"label": "Acerca de"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Aplicaciones"
},
"board": {
"title": "Tableros"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrents"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Ayuda",
"option": {
"documentation": {
"label": "Documentación"
},
"discord": {
"label": "Comunidad Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Administrar usuarios"
},
"about": {
"label": "Acerca de"
},
"preferences": {
"label": "Tus preferencias"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Usuarios"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Nombre"
}
}
}
}
}

View File

@@ -0,0 +1,901 @@
{
"user": {
"title": "",
"name": "",
"field": {
"email": {
"label": ""
},
"username": {
"label": ""
},
"password": {
"label": "",
"requirement": {}
},
"passwordConfirm": {
"label": ""
}
},
"action": {
"login": {
"label": ""
},
"register": {
"label": "",
"notification": {
"success": {
"title": ""
}
}
},
"create": ""
}
},
"group": {
"field": {
"name": ""
},
"permission": {
"admin": {
"title": ""
},
"board": {
"title": ""
}
}
},
"app": {
"page": {
"list": {
"title": ""
}
},
"field": {
"name": {
"label": ""
}
}
},
"integration": {
"field": {
"name": {
"label": ""
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": ""
}
}
},
"secrets": {
"kind": {
"username": {
"label": ""
},
"password": {
"label": "",
"newLabel": ""
}
}
}
},
"media": {
"field": {
"name": "",
"size": "",
"creator": ""
}
},
"common": {
"error": "",
"action": {
"add": "",
"apply": "",
"create": "",
"edit": "",
"insert": "",
"remove": "",
"save": "",
"saveChanges": "",
"cancel": "",
"delete": "",
"confirm": "",
"previous": "",
"next": "",
"tryAgain": ""
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "Teie eelistused",
"login": ""
}
},
"dangerZone": "",
"noResults": "",
"zod": {
"errors": {
"default": "",
"required": "",
"string": {
"startsWith": "",
"endsWith": "",
"includes": ""
},
"tooSmall": {
"string": "",
"number": ""
},
"tooBig": {
"string": "",
"number": ""
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": ""
}
},
"action": {
"moveUp": "",
"moveDown": ""
},
"menu": {
"label": {
"changePosition": ""
}
}
}
},
"item": {
"menu": {
"label": {
"settings": ""
}
},
"moveResize": {
"field": {
"width": {},
"height": {}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": ""
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "",
"option": {
"row": {
"label": ""
},
"column": {
"label": ""
}
}
}
},
"data": {
"adsBlockedToday": "",
"adsBlockedTodayPercentage": "",
"dnsQueriesToday": ""
}
},
"dnsHoleControls": {
"description": "",
"option": {
"layout": {
"label": "",
"option": {
"row": {
"label": ""
},
"column": {
"label": ""
}
}
}
},
"controls": {
"set": "",
"enabled": "",
"disabled": "",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "",
"option": {
"timezone": {
"label": ""
}
}
},
"notebook": {
"name": "",
"option": {
"showToolbar": {
"label": ""
},
"allowReadOnlyCheck": {
"label": ""
},
"content": {
"label": ""
}
},
"controls": {
"bold": "",
"italic": "",
"strikethrough": "",
"underline": "",
"colorText": "",
"colorHighlight": "",
"code": "",
"clear": "",
"heading": "",
"align": "",
"blockquote": "",
"horizontalLine": "",
"bulletList": "",
"orderedList": "",
"checkList": "",
"increaseIndent": "",
"decreaseIndent": "",
"link": "",
"unlink": "",
"image": "",
"addTable": "",
"deleteTable": "",
"colorCell": "",
"mergeCell": "",
"addColumnLeft": "",
"addColumnRight": "",
"deleteColumn": "",
"addRowTop": "",
"addRowBelow": "",
"deleteRow": ""
},
"align": {
"left": "",
"center": "",
"right": ""
},
"popover": {
"clearColor": "",
"source": "",
"widthPlaceholder": "",
"columns": "",
"rows": ""
}
},
"iframe": {
"name": "",
"description": "",
"option": {
"embedUrl": {
"label": ""
},
"allowFullScreen": {
"label": ""
},
"allowTransparency": {
"label": ""
},
"allowScrolling": {
"label": ""
},
"allowPayment": {
"label": ""
},
"allowAutoPlay": {
"label": ""
},
"allowMicrophone": {
"label": ""
},
"allowCamera": {
"label": ""
},
"allowGeolocation": {
"label": ""
}
},
"error": {
"noBrowerSupport": ""
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": ""
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": ""
},
"automationId": {
"label": ""
}
}
},
"calendar": {
"name": "",
"option": {
"releaseType": {
"label": ""
}
}
},
"weather": {
"name": "",
"description": "",
"option": {
"location": {
"label": ""
}
},
"kind": {
"clear": "",
"mainlyClear": "",
"fog": "",
"drizzle": "",
"freezingDrizzle": "",
"rain": "",
"freezingRain": "",
"snowFall": "",
"snowGrains": "",
"rainShowers": "",
"snowShowers": "",
"thunderstorm": "",
"thunderstormWithHail": "",
"unknown": ""
}
},
"indexerManager": {
"name": "",
"title": "",
"testAll": ""
},
"healthMonitoring": {
"name": "",
"description": "",
"option": {
"fahrenheit": {
"label": ""
},
"cpu": {
"label": ""
},
"memory": {
"label": ""
},
"fileSystem": {
"label": ""
}
},
"popover": {
"available": ""
}
},
"common": {
"location": {
"search": "",
"table": {
"header": {},
"action": {},
"population": {
"fallback": ""
}
}
}
},
"video": {
"name": "",
"description": "",
"option": {
"feedUrl": {
"label": ""
},
"hasAutoPlay": {
"label": ""
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": ""
},
"downSpeed": {
"columnTitle": "",
"detailsTitle": ""
},
"integration": {
"columnTitle": ""
},
"progress": {
"columnTitle": ""
},
"ratio": {
"columnTitle": ""
},
"state": {
"columnTitle": ""
},
"upSpeed": {
"columnTitle": ""
}
},
"states": {
"downloading": "",
"queued": "",
"paused": "",
"completed": "",
"unknown": ""
}
},
"mediaRequests-requestList": {
"description": "",
"option": {
"linksTargetNewTab": {
"label": ""
}
},
"availability": {
"unknown": "",
"partiallyAvailable": "",
"available": ""
}
},
"mediaRequests-requestStats": {
"description": "",
"titles": {
"stats": {
"main": "",
"approved": "",
"pending": "",
"tv": "",
"movie": "",
"total": ""
},
"users": {
"main": ""
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": ""
},
"screenSize": {
"option": {
"sm": "",
"md": "",
"lg": ""
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": ""
},
"backgroundImageSize": {
"label": ""
},
"primaryColor": {
"label": ""
},
"secondaryColor": {
"label": ""
},
"customCss": {
"description": ""
},
"name": {
"label": ""
},
"isPublic": {
"label": ""
}
},
"setting": {
"section": {
"general": {
"title": ""
},
"layout": {
"title": ""
},
"background": {
"title": ""
},
"access": {
"permission": {
"item": {
"view": {
"label": ""
}
}
}
},
"dangerZone": {
"title": "",
"action": {
"delete": {
"confirm": {
"title": ""
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "",
"boards": "",
"apps": "",
"users": {
"label": "",
"items": {
"manage": "",
"invites": ""
}
},
"tools": {
"label": "",
"items": {
"docker": "",
"api": ""
}
},
"settings": "",
"help": {
"label": "",
"items": {
"documentation": "",
"discord": ""
}
},
"about": ""
}
},
"page": {
"home": {
"statistic": {
"board": "",
"user": "",
"invite": "",
"app": ""
},
"statisticLabel": {
"boards": ""
}
},
"board": {
"title": "",
"action": {
"settings": {
"label": ""
},
"setHomeBoard": {
"badge": {
"label": ""
}
},
"delete": {
"label": "",
"confirm": {
"title": ""
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": ""
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "",
"item": {
"firstDayOfWeek": "",
"accessibility": ""
}
},
"security": {
"title": ""
},
"board": {
"title": ""
}
},
"list": {
"metaTitle": "",
"title": ""
},
"create": {
"metaTitle": "",
"step": {
"security": {
"label": ""
}
}
},
"invite": {
"title": "",
"action": {
"new": {
"description": ""
},
"copy": {
"link": ""
},
"delete": {
"title": "",
"description": ""
}
},
"field": {
"id": {
"label": ""
},
"creator": {
"label": ""
},
"expirationDate": {
"label": ""
},
"token": {
"label": ""
}
}
}
},
"group": {
"setting": {
"general": {
"title": ""
}
}
},
"settings": {
"title": ""
},
"tool": {
"tasks": {
"status": {
"running": "",
"error": ""
},
"job": {
"mediaServer": {
"label": ""
},
"mediaRequests": {
"label": ""
}
}
},
"api": {
"title": "",
"tab": {
"documentation": {
"label": ""
},
"apiKey": {
"table": {
"header": {
"id": ""
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": ""
},
"state": {
"label": "",
"option": {
"created": "",
"running": "",
"paused": "",
"restarting": "",
"removing": ""
}
},
"containerImage": {
"label": ""
},
"ports": {
"label": ""
}
},
"action": {
"start": {
"label": ""
},
"stop": {
"label": ""
},
"restart": {
"label": ""
},
"remove": {
"label": ""
}
}
},
"permission": {
"tab": {
"user": ""
},
"field": {
"user": {
"label": ""
}
}
},
"navigationStructure": {
"manage": {
"label": "",
"boards": {
"label": ""
},
"integrations": {
"edit": {
"label": ""
}
},
"search-engines": {
"edit": {
"label": ""
}
},
"apps": {
"label": "",
"edit": {
"label": ""
}
},
"users": {
"label": "",
"create": {
"label": ""
},
"general": "",
"security": "",
"board": "",
"invites": {
"label": ""
}
},
"tools": {
"label": "",
"docker": {
"label": ""
}
},
"settings": {
"label": ""
},
"about": {
"label": ""
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": ""
},
"board": {
"title": ""
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": ""
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "",
"option": {
"documentation": {
"label": ""
},
"discord": {
"label": ""
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": ""
},
"about": {
"label": ""
},
"preferences": {
"label": "Teie eelistused"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": ""
}
}
}
},
"engine": {
"field": {
"name": {
"label": ""
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Utilisateurs",
"name": "Utilisateur",
"field": {
"email": {
"label": "Courriel"
},
"username": {
"label": "Nom d'utilisateur"
},
"password": {
"label": "Mot de passe",
"requirement": {
"lowercase": "Inclut une lettre minuscule",
"uppercase": "Inclut une lettre majuscule",
"number": "Inclut un nombre"
}
},
"passwordConfirm": {
"label": "Confirmation du mot de passe"
}
},
"action": {
"login": {
"label": "Connexion"
},
"register": {
"label": "Créer un compte",
"notification": {
"success": {
"title": "Compte créé"
}
}
},
"create": "Créer un utilisateur"
}
},
"group": {
"field": {
"name": "Nom"
},
"permission": {
"admin": {
"title": "Admin"
},
"board": {
"title": "Tableaux de bord"
}
}
},
"app": {
"page": {
"list": {
"title": "Applications"
}
},
"field": {
"name": {
"label": "Nom"
}
}
},
"integration": {
"field": {
"name": {
"label": "Nom"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "URL invalide"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Nom d'utilisateur"
},
"password": {
"label": "Mot de passe",
"newLabel": "Nouveau mot de passe"
}
}
}
},
"media": {
"field": {
"name": "Nom",
"size": "Taille",
"creator": "Créé par"
}
},
"common": {
"error": "Erreur",
"action": {
"add": "Ajouter",
"apply": "Appliquer",
"create": "Créer",
"edit": "Modifier",
"insert": "Insérer",
"remove": "Supprimer",
"save": "Sauvegarder",
"saveChanges": "Sauvegarder les modifications",
"cancel": "Annuler",
"delete": "Supprimer",
"confirm": "Confirmer",
"previous": "Précédent",
"next": "Suivant",
"tryAgain": "Réessayer"
},
"information": {
"hours": "Heures",
"minutes": "Minutes"
},
"userAvatar": {
"menu": {
"preferences": "Vos préférences",
"login": "Connexion"
}
},
"dangerZone": "Zone de danger",
"noResults": "Aucun résultat trouvé",
"zod": {
"errors": {
"default": "Ce champ est invalide",
"required": "Ce champ est requis",
"string": {
"startsWith": "Ce champ doit commencer par {startsWith}",
"endsWith": "Ce champ doit terminer par {endsWith}",
"includes": "Ce champ doit inclure {includes}"
},
"tooSmall": {
"string": "Ce champ doit faire au moins {minimum} caractères",
"number": "Ce champ doit être supérieur ou égal à {minimum}"
},
"tooBig": {
"string": "Ce champ doit faire au plus {maximum} caractères",
"number": "Ce champ doit être inférieur ou égal à {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Nom"
}
},
"action": {
"moveUp": "Monter",
"moveDown": "Descendre"
},
"menu": {
"label": {
"changePosition": "Modifier la position"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Paramètres"
}
},
"moveResize": {
"field": {
"width": {
"label": "Largeur"
},
"height": {
"label": "Hauteur"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Ouvrir dans un nouvel onglet"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Mise en page",
"option": {
"row": {
"label": "Horizontale"
},
"column": {
"label": "Verticale"
}
}
}
},
"data": {
"adsBlockedToday": "Bloqué aujourd'hui",
"adsBlockedTodayPercentage": "Bloqué aujourd'hui",
"dnsQueriesToday": "Requêtes aujourd'hui"
}
},
"dnsHoleControls": {
"description": "Contrôlez PiHole ou AdGuard depuis votre tableau de bord",
"option": {
"layout": {
"label": "Mise en page",
"option": {
"row": {
"label": "Horizontale"
},
"column": {
"label": "Verticale"
}
}
}
},
"controls": {
"set": "Définir",
"enabled": "Activé",
"disabled": "Désactivé",
"hours": "Heures",
"minutes": "Minutes"
}
},
"clock": {
"description": "Affiche la date et l'heure courante.",
"option": {
"timezone": {
"label": "Fuseau Horaire"
}
}
},
"notebook": {
"name": "Bloc-notes",
"option": {
"showToolbar": {
"label": "Afficher la barre d'outils pour vous aider à écrire du markdown"
},
"allowReadOnlyCheck": {
"label": "Autoriser la coche des cases en mode lecture"
},
"content": {
"label": "Le contenu du bloc-notes"
}
},
"controls": {
"bold": "Gras",
"italic": "Italique",
"strikethrough": "Barrer",
"underline": "Souligner",
"colorText": "Colorer le texte",
"colorHighlight": "Surligner en couleur",
"code": "Code",
"clear": "Effacer la mise en forme",
"heading": "Titre {level}",
"align": "Aligner le texte : {position}",
"blockquote": "Citation",
"horizontalLine": "Ligne horizontale",
"bulletList": "Liste à puces",
"orderedList": "Liste numérotée",
"checkList": "Liste à coche",
"increaseIndent": "Augmenter l'Indentation",
"decreaseIndent": "Diminuer l'indentation",
"link": "Lien",
"unlink": "Supprimer le lien",
"image": "Intégrer une image",
"addTable": "Ajouter un tableau",
"deleteTable": "Supprimer le tableau",
"colorCell": "Colorer la case",
"mergeCell": "Activer/désactiver la fusion des cases",
"addColumnLeft": "Ajouter une colonne avant",
"addColumnRight": "Ajouter une colonne après",
"deleteColumn": "Supprimer la colonne",
"addRowTop": "Ajouter une ligne avant",
"addRowBelow": "Ajouter une ligne après",
"deleteRow": "Supprimer la ligne"
},
"align": {
"left": "Gauche",
"center": "Centrer",
"right": "Droite"
},
"popover": {
"clearColor": "Enlever la couleur",
"source": "Source",
"widthPlaceholder": "Valeur en % ou en pixels",
"columns": "Colonnes",
"rows": "Lignes",
"width": "Largeur",
"height": "Hauteur"
}
},
"iframe": {
"name": "iFrame",
"description": "Intégrer n'importe quel contenu à partir d'Internet. Certains sites Web peuvent restreindre l'accès.",
"option": {
"embedUrl": {
"label": "URL intégrée"
},
"allowFullScreen": {
"label": "Permettre le plein écran"
},
"allowTransparency": {
"label": "Autoriser la transparence"
},
"allowScrolling": {
"label": "Autoriser le défilement"
},
"allowPayment": {
"label": "Autoriser le paiement"
},
"allowAutoPlay": {
"label": "Autoriser la lecture automatique"
},
"allowMicrophone": {
"label": "Autoriser l'utilisation du microphone"
},
"allowCamera": {
"label": "Autoriser l'utilisation de la caméra"
},
"allowGeolocation": {
"label": "Autoriser la géolocalisation"
}
},
"error": {
"noBrowerSupport": "Votre navigateur internet ne prend pas en charge les iframes. Merci de le mettre à jour."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "ID de lentité"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Nom d'affichage"
},
"automationId": {
"label": "ID de l'automatisation"
}
}
},
"calendar": {
"name": "Calendrier",
"option": {
"releaseType": {
"label": "Type de sortie Radarr"
}
}
},
"weather": {
"name": "Météo",
"description": "Affiche la météo actuelle d'un emplacement préconfiguré.",
"option": {
"location": {
"label": "Lieu de la météo"
}
},
"kind": {
"clear": "Clair",
"mainlyClear": "Principalement clair",
"fog": "Brouillard",
"drizzle": "Bruine",
"freezingDrizzle": "Bruine glacée",
"rain": "Pluie",
"freezingRain": "Pluie verglaçante",
"snowFall": "Chute de neige",
"snowGrains": "Neige en grains",
"rainShowers": "Averses de pluie",
"snowShowers": "Averses de neige",
"thunderstorm": "Orage",
"thunderstormWithHail": "Orage avec grêle",
"unknown": "Inconnu"
}
},
"indexerManager": {
"name": "Statut du gestionnaire dindexeur",
"title": "Gestionnaire dindexeur",
"testAll": "Tout tester"
},
"healthMonitoring": {
"name": "Surveillance de l'état du système",
"description": "Affiche des informations sur l'état et la santé de votre (vos) système(s).",
"option": {
"fahrenheit": {
"label": "Température du processeur en Fahrenheit"
},
"cpu": {
"label": "Afficher les infos du processeur"
},
"memory": {
"label": "Afficher les infos de la mémoire"
},
"fileSystem": {
"label": "Afficher les infos sur le système de fichiers"
}
},
"popover": {
"available": "Disponible"
}
},
"common": {
"location": {
"search": "Rechercher",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Inconnu"
}
}
}
},
"video": {
"name": "Flux vidéo",
"description": "Intégre un flux vidéo ou une vidéo provenant d'une caméra ou d'un site web",
"option": {
"feedUrl": {
"label": "URL du flux"
},
"hasAutoPlay": {
"label": "Lecture automatique"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Date dajout"
},
"downSpeed": {
"columnTitle": "Descendant",
"detailsTitle": "Vitesse de téléchargement"
},
"integration": {
"columnTitle": "Intégration"
},
"progress": {
"columnTitle": "Progrès"
},
"ratio": {
"columnTitle": "Ratio"
},
"state": {
"columnTitle": "État"
},
"upSpeed": {
"columnTitle": "Montant"
}
},
"states": {
"downloading": "Téléchargement en cours",
"queued": "En file dattente",
"paused": "En pause",
"completed": "Complété",
"unknown": "Inconnu"
}
},
"mediaRequests-requestList": {
"description": "Voir la liste de toutes les demandes de médias de votre instance Overseerr ou Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Ouvrir les liens dans un nouvel onglet"
}
},
"availability": {
"unknown": "Inconnu",
"partiallyAvailable": "Partiel",
"available": "Disponible"
}
},
"mediaRequests-requestStats": {
"description": "Statistiques sur vos demandes de médias",
"titles": {
"stats": {
"main": "Statistiques des médias",
"approved": "Déjà approuvé",
"pending": "En attente de validation",
"tv": "Demandes de séries TV",
"movie": "Demandes de films",
"total": "Total"
},
"users": {
"main": "Principaux utilisateurs"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Applications"
},
"screenSize": {
"option": {
"sm": "Petite",
"md": "Moyenne",
"lg": "Grande"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Pièce jointe de l'image d'arrière-plan"
},
"backgroundImageSize": {
"label": "Taille de l'image d'arrière-plan"
},
"primaryColor": {
"label": "Couleur principale"
},
"secondaryColor": {
"label": "Couleur secondaire"
},
"customCss": {
"description": "En outre, vous pouvez personnaliser votre tableau de bord à l'aide de CSS. Réservé aux utilisateurs expérimentés."
},
"name": {
"label": "Nom"
},
"isPublic": {
"label": "Public"
}
},
"setting": {
"section": {
"general": {
"title": "Général"
},
"layout": {
"title": "Mise en page"
},
"background": {
"title": "Fond"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Voir le tableau de bord"
}
}
}
},
"dangerZone": {
"title": "Zone de danger",
"action": {
"delete": {
"confirm": {
"title": "Supprimer le tableau de bord"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Accueil",
"boards": "Tableaux de bord",
"apps": "Applications",
"users": {
"label": "Utilisateurs",
"items": {
"manage": "Gérer",
"invites": "Invitations"
}
},
"tools": {
"label": "Outils",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Paramètres",
"help": {
"label": "Aide",
"items": {
"documentation": "Documentation",
"discord": "Communauté Discord"
}
},
"about": "À propos"
}
},
"page": {
"home": {
"statistic": {
"board": "Tableaux de bord",
"user": "Utilisateurs",
"invite": "Invitations",
"app": "Applications"
},
"statisticLabel": {
"boards": "Tableaux de bord"
}
},
"board": {
"title": "Vos tableaux de bord",
"action": {
"settings": {
"label": "Paramètres"
},
"setHomeBoard": {
"badge": {
"label": "Accueil"
}
},
"delete": {
"label": "Supprimer définitivement",
"confirm": {
"title": "Supprimer le tableau de bord"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Nom"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Général",
"item": {
"firstDayOfWeek": "Premier jour de la semaine",
"accessibility": "Accessibilité"
}
},
"security": {
"title": "Sécurité"
},
"board": {
"title": "Tableaux de bord"
}
},
"list": {
"metaTitle": "Gérer les utilisateurs",
"title": "Utilisateurs"
},
"create": {
"metaTitle": "Créer un utilisateur",
"step": {
"security": {
"label": "Sécurité"
}
}
},
"invite": {
"title": "Gérer les invitations des utilisateurs",
"action": {
"new": {
"description": "Après expiration, une invitation ne sera plus valide et le destinataire de cette invitation ne pourra pas créer un compte."
},
"copy": {
"link": "Lien d'invitation"
},
"delete": {
"title": "Supprimer une invitation",
"description": "Êtes-vous sûr de vouloir supprimer cette invitation ? Les utilisateurs avec ce lien ne pourront plus créer un compte avec ce dernier."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Créé par"
},
"expirationDate": {
"label": "Date d'expiration"
},
"token": {
"label": "Jeton"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Général"
}
}
},
"settings": {
"title": "Paramètres"
},
"tool": {
"tasks": {
"status": {
"running": "Running",
"error": "Erreur"
},
"job": {
"mediaServer": {
"label": "Serveur multimédia"
},
"mediaRequests": {
"label": "Demandes de média"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Documentation"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "Conteneurs",
"field": {
"name": {
"label": "Nom"
},
"state": {
"label": "État",
"option": {
"created": "Créé",
"running": "Running",
"paused": "En pause",
"restarting": "Redémarrage en cours",
"removing": "Suppression en cours"
}
},
"containerImage": {
"label": "Image"
},
"ports": {
"label": "Ports"
}
},
"action": {
"start": {
"label": "Début"
},
"stop": {
"label": "Stop"
},
"restart": {
"label": "Redémarrer"
},
"remove": {
"label": "Supprimer"
}
}
},
"permission": {
"tab": {
"user": "Utilisateurs"
},
"field": {
"user": {
"label": "Utilisateur"
}
}
},
"navigationStructure": {
"manage": {
"label": "Gérer",
"boards": {
"label": "Tableaux de bord"
},
"integrations": {
"edit": {
"label": "Modifier"
}
},
"search-engines": {
"edit": {
"label": "Modifier"
}
},
"apps": {
"label": "Applications",
"edit": {
"label": "Modifier"
}
},
"users": {
"label": "Utilisateurs",
"create": {
"label": "Créer"
},
"general": "Général",
"security": "Sécurité",
"board": "Tableaux de bord",
"invites": {
"label": "Invitations"
}
},
"tools": {
"label": "Outils",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Paramètres"
},
"about": {
"label": "À propos"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Applications"
},
"board": {
"title": "Tableaux de bord"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrents"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Aide",
"option": {
"documentation": {
"label": "Documentation"
},
"discord": {
"label": "Communauté Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Gérer les utilisateurs"
},
"about": {
"label": "À propos"
},
"preferences": {
"label": "Vos préférences"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Utilisateurs"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Nom"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "משתמשים",
"name": "משתמש",
"field": {
"email": {
"label": "אימייל"
},
"username": {
"label": "שם משתמש"
},
"password": {
"label": "סיסמה",
"requirement": {
"lowercase": "אפשר אותיות קטנות",
"uppercase": "אפשר אותיות גדולות",
"number": "אפשר מספרים"
}
},
"passwordConfirm": {
"label": "אימות סיסמא"
}
},
"action": {
"login": {
"label": "התחבר/י"
},
"register": {
"label": "צור חשבון",
"notification": {
"success": {
"title": "החשבון נוצר"
}
}
},
"create": "צור משתמש"
}
},
"group": {
"field": {
"name": "שם"
},
"permission": {
"admin": {
"title": "מנהל מערכת"
},
"board": {
"title": "לוחות"
}
}
},
"app": {
"page": {
"list": {
"title": "אפליקציות"
}
},
"field": {
"name": {
"label": "שם"
}
}
},
"integration": {
"field": {
"name": {
"label": "שם"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "קישור לא תקין"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "שם משתמש"
},
"password": {
"label": "סיסמה",
"newLabel": "סיסמה חדשה"
}
}
}
},
"media": {
"field": {
"name": "שם",
"size": "גודל",
"creator": "יוצר"
}
},
"common": {
"error": "שגיאה",
"action": {
"add": "הוסף",
"apply": "החל",
"create": "צור",
"edit": "עריכה",
"insert": "הוספה",
"remove": "הסר",
"save": "שמור",
"saveChanges": "שמור שינויים",
"cancel": "בטל",
"delete": "מחיקה",
"confirm": "לאשר",
"previous": "הקודם",
"next": "הבא",
"tryAgain": "נא לנסות שוב"
},
"information": {
"hours": "שעות",
"minutes": "דקות"
},
"userAvatar": {
"menu": {
"preferences": "העדפות שלך",
"login": "התחבר/י"
}
},
"dangerZone": "אזור מסוכן",
"noResults": "לא נמצאו תוצאות",
"zod": {
"errors": {
"default": "שדה זה אינו חוקי",
"required": "זהו שדה חובה",
"string": {
"startsWith": "שדה זה חייב להתחיל עם {startsWith}",
"endsWith": "שדה זה חייב להסתיים עם {endsWith}",
"includes": "שדה זה חייב להכיל {includes}"
},
"tooSmall": {
"string": "שדה זה חייב להיות באורך של {minimum} תווים לפחות",
"number": "שדה זה חייב להיות גדול או שווה ל {minimum}"
},
"tooBig": {
"string": "שדה זה חייב להיות באורך של {maximum} תווים לכל היותר",
"number": "שדה זה חייב להיות קטן או שווה ל {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "שם"
}
},
"action": {
"moveUp": "הזזה למעלה",
"moveDown": "הזזה למטה"
},
"menu": {
"label": {
"changePosition": "שנה מיקום"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "הגדרות"
}
},
"moveResize": {
"field": {
"width": {
"label": "רוחב"
},
"height": {
"label": "גובה"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "פתיחה בכרטיסיה חדשה"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "פריסה",
"option": {
"row": {
"label": "אופקי"
},
"column": {
"label": "אנכי"
}
}
}
},
"data": {
"adsBlockedToday": "נחסמו היום",
"adsBlockedTodayPercentage": "נחסמו היום",
"dnsQueriesToday": "שאילתות היום"
}
},
"dnsHoleControls": {
"description": "שלוט ב-PiHole או ב-AdGuard מלוח המחוונים שלך",
"option": {
"layout": {
"label": "פריסה",
"option": {
"row": {
"label": "אופקי"
},
"column": {
"label": "אנכי"
}
}
}
},
"controls": {
"set": "הגדר",
"enabled": "מאופשר",
"disabled": "מושבת",
"hours": "שעות",
"minutes": "דקות"
}
},
"clock": {
"description": "מציג את התאריך והשעה הנוכחיים.",
"option": {
"timezone": {
"label": "אזור זמן"
}
}
},
"notebook": {
"name": "פנקס רשימות",
"option": {
"showToolbar": {
"label": "הצג את סרגל הכלים לסיוע כתיבת סימון"
},
"allowReadOnlyCheck": {
"label": "אפשר בדיקה במצב קריאה בלבד"
},
"content": {
"label": "תוכן פנקס הרשימות"
}
},
"controls": {
"bold": "מודגש",
"italic": "נטוי",
"strikethrough": "קו חוצה",
"underline": "קו תחתון",
"colorText": "טקסט צבעוני",
"colorHighlight": "טקסט סימון צבעוני",
"code": "קוד",
"clear": "נקה עיצוב",
"heading": "כותרת {level}",
"align": "יישור טקסט: {position}",
"blockquote": "ציטוט",
"horizontalLine": "קו אופקי",
"bulletList": "רשימת תבליט",
"orderedList": "רשימה מסודרת",
"checkList": "צ'ק ליסט",
"increaseIndent": "הגדלת הזחה",
"decreaseIndent": "הקטנת הזחה",
"link": "קישור",
"unlink": "הסרת קישור",
"image": "הטמעת תמונה",
"addTable": "הוספת טבלה",
"deleteTable": "מחיקת טבלה",
"colorCell": "טקסט צבעוני",
"mergeCell": "החלפת מיזוג התא",
"addColumnLeft": "הוספת עמודה לפני",
"addColumnRight": "הוספת עמודה אחרי",
"deleteColumn": "מחיקת עמודה",
"addRowTop": "הוספת שורה לפני",
"addRowBelow": "הוספת שורה אחרי",
"deleteRow": "מחיקת שורה"
},
"align": {
"left": "שמאל",
"center": "מרכז",
"right": "ימין"
},
"popover": {
"clearColor": "ניקוי צבע",
"source": "מקור",
"widthPlaceholder": "ערך באחוזים או בפיקסלים",
"columns": "עמודות",
"rows": "שורות",
"width": "רוחב",
"height": "גובה"
}
},
"iframe": {
"name": "iFrame",
"description": "הטמע כל תוכן מהאינטרנט. חלק מהאתרים עשויים להגביל את הגישה.",
"option": {
"embedUrl": {
"label": "הטמע כתובת אתר"
},
"allowFullScreen": {
"label": "הרשאה למסך מלא"
},
"allowTransparency": {
"label": "אפשר שקיפות"
},
"allowScrolling": {
"label": "אפשר גלילה"
},
"allowPayment": {
"label": "אפשר תשלום"
},
"allowAutoPlay": {
"label": "אפשר הפעלה אוטומטית"
},
"allowMicrophone": {
"label": "אפשר מיקרופון"
},
"allowCamera": {
"label": "אפשר מצלמה"
},
"allowGeolocation": {
"label": "אפשר מיקום גיאוגרפי"
}
},
"error": {
"noBrowerSupport": "הדפדפן שלך אינו תומך ב-iframes. נא עדכן את הדפדפן שלך."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "מזהה ישות"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "הצג שם"
},
"automationId": {
"label": "מזהה אוטומציה"
}
}
},
"calendar": {
"name": "לוח שנה",
"option": {
"releaseType": {
"label": "סוג שחרור של Radarr"
}
}
},
"weather": {
"name": "מזג אוויר",
"description": "מציג את מידע מזג האוויר הנוכחי של מיקום מוגדר.",
"option": {
"location": {
"label": "מיקום מזג האוויר"
}
},
"kind": {
"clear": "בהיר",
"mainlyClear": "בהיר בעיקר",
"fog": "ערפל",
"drizzle": "טפטוף",
"freezingDrizzle": "טפטוף מקפיא",
"rain": "גשום",
"freezingRain": "גשם מקפיא",
"snowFall": "שלג יורד",
"snowGrains": "פתיתי שלג",
"rainShowers": "ממטרי גשם",
"snowShowers": "ממטרי שלג",
"thunderstorm": "סופת רעמים",
"thunderstormWithHail": "סופת רעמים עם ברד",
"unknown": "לא ידוע"
}
},
"indexerManager": {
"name": "סטטוס מנהל אינדקס",
"title": "מנהל אינדקס",
"testAll": "בדוק הכל"
},
"healthMonitoring": {
"name": "ניטור בריאות המערכת",
"description": "מציג מידע המציג את התקינות והסטטוס של המערכות שלך.",
"option": {
"fahrenheit": {
"label": "טמפרטורת המעבד בפרנהייט"
},
"cpu": {
"label": "הצג מידע על המעבד"
},
"memory": {
"label": "הצג מידע זיכרון"
},
"fileSystem": {
"label": "הצג מידע על מערכת הקבצים"
}
},
"popover": {
"available": "זמין"
}
},
"common": {
"location": {
"search": "חיפוש",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "לא ידוע"
}
}
}
},
"video": {
"name": "זרם וידאו",
"description": "הטמע זרם וידאו או וידאו ממצלמה או אתר אינטרנט",
"option": {
"feedUrl": {
"label": "כתובת הזנה"
},
"hasAutoPlay": {
"label": "הפעלה אוטומטית"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "נוסף בתאריך"
},
"downSpeed": {
"columnTitle": "הורדה",
"detailsTitle": "מהירות הורדה"
},
"integration": {
"columnTitle": "אינטגרציה"
},
"progress": {
"columnTitle": "התקדמות"
},
"ratio": {
"columnTitle": "יחס"
},
"state": {
"columnTitle": "מצב"
},
"upSpeed": {
"columnTitle": "העלאה"
}
},
"states": {
"downloading": "מוריד",
"queued": "בתור",
"paused": "מושהה",
"completed": "הושלם",
"unknown": "לא ידוע"
}
},
"mediaRequests-requestList": {
"description": "ראה רשימה של כל בקשות המדיה ממופע Overseerr או Jellyseerr שלך",
"option": {
"linksTargetNewTab": {
"label": "פתח לינק בלשונית חדשה"
}
},
"availability": {
"unknown": "לא ידוע",
"partiallyAvailable": "חלקי",
"available": "זמין"
}
},
"mediaRequests-requestStats": {
"description": "סטטיסטיקה לגבי בקשות המדיה",
"titles": {
"stats": {
"main": "סטטיסטיקות מדיה",
"approved": "כבר אושר",
"pending": "ממתין לאישור",
"tv": "בקשות סדרות",
"movie": "בקשות סרטים",
"total": "סך הכל"
},
"users": {
"main": "משתמשים מובילים"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "אפליקציות"
},
"screenSize": {
"option": {
"sm": "קטן",
"md": "בינוני",
"lg": "גדול"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "צירוף תמונת רקע"
},
"backgroundImageSize": {
"label": "גודל תמונת רקע"
},
"primaryColor": {
"label": "צבע ראשי"
},
"secondaryColor": {
"label": "צבע משני"
},
"customCss": {
"description": "יתר על כן, התאם את לוח המחוונים שלך באמצעות CSS, מומלץ רק למשתמשים מנוסים"
},
"name": {
"label": "שם"
},
"isPublic": {
"label": "ציבורי"
}
},
"setting": {
"section": {
"general": {
"title": "כללי"
},
"layout": {
"title": "פריסה"
},
"background": {
"title": "רקע"
},
"access": {
"permission": {
"item": {
"view": {
"label": "צפייה בלוח"
}
}
}
},
"dangerZone": {
"title": "אזור מסוכן",
"action": {
"delete": {
"confirm": {
"title": "מחיקת לוח"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "מסך הבית",
"boards": "לוחות",
"apps": "אפליקציות",
"users": {
"label": "משתמשים",
"items": {
"manage": "ניהול",
"invites": "הזמנות"
}
},
"tools": {
"label": "כלים",
"items": {
"docker": "דוקר",
"api": "ממשק API"
}
},
"settings": "הגדרות",
"help": {
"label": "עזרה",
"items": {
"documentation": "תיעוד",
"discord": "קהילת דיסקורד"
}
},
"about": "אודות"
}
},
"page": {
"home": {
"statistic": {
"board": "לוחות",
"user": "משתמשים",
"invite": "הזמנות",
"app": "אפליקציות"
},
"statisticLabel": {
"boards": "לוחות"
}
},
"board": {
"title": "הלוחות שלך",
"action": {
"settings": {
"label": "הגדרות"
},
"setHomeBoard": {
"badge": {
"label": "מסך הבית"
}
},
"delete": {
"label": "מחיקה לצמיתות",
"confirm": {
"title": "מחיקת לוח"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "שם"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "כללי",
"item": {
"firstDayOfWeek": "היום הראשון בשבוע",
"accessibility": "נגישות"
}
},
"security": {
"title": "אבטחה"
},
"board": {
"title": "לוחות"
}
},
"list": {
"metaTitle": "ניהול משתמשים",
"title": "משתמשים"
},
"create": {
"metaTitle": "צור משתמש",
"step": {
"security": {
"label": "אבטחה"
}
}
},
"invite": {
"title": "נהל הזמנות משתמש",
"action": {
"new": {
"description": "לאחר התפוגה, הזמנה לא תהיה תקפה יותר ומקבל ההזמנה לא יוכל ליצור חשבון."
},
"copy": {
"link": "קישור הזמנה"
},
"delete": {
"title": "מחיקת הזמנה",
"description": "האם אתה בטוח שברצונך למחוק את ההזמנה הזו? משתמשים עם קישור זה לא יוכלו עוד ליצור חשבון באמצעות קישור זה."
}
},
"field": {
"id": {
"label": "מספר מזהה"
},
"creator": {
"label": "יוצר"
},
"expirationDate": {
"label": "תאריך תפוגה"
},
"token": {
"label": "טוקן"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "כללי"
}
}
},
"settings": {
"title": "הגדרות"
},
"tool": {
"tasks": {
"status": {
"running": "פועל",
"error": "שגיאה"
},
"job": {
"mediaServer": {
"label": "שרת מדיה"
},
"mediaRequests": {
"label": "בקשות מדיה"
}
}
},
"api": {
"title": "ממשק API",
"tab": {
"documentation": {
"label": "תיעוד"
},
"apiKey": {
"table": {
"header": {
"id": "מספר מזהה"
}
}
}
}
}
}
}
},
"docker": {
"title": "מיכלים",
"field": {
"name": {
"label": "שם"
},
"state": {
"label": "מצב",
"option": {
"created": "נוצר",
"running": "פועל",
"paused": "מושהה",
"restarting": "מפעיל מחדש",
"removing": "מסיר"
}
},
"containerImage": {
"label": "קובץ תמונה"
},
"ports": {
"label": "יציאות"
}
},
"action": {
"start": {
"label": "התחל"
},
"stop": {
"label": "עצור"
},
"restart": {
"label": "אתחל"
},
"remove": {
"label": "הסר"
}
}
},
"permission": {
"tab": {
"user": "משתמשים"
},
"field": {
"user": {
"label": "משתמש"
}
}
},
"navigationStructure": {
"manage": {
"label": "ניהול",
"boards": {
"label": "לוחות"
},
"integrations": {
"edit": {
"label": "עריכה"
}
},
"search-engines": {
"edit": {
"label": "עריכה"
}
},
"apps": {
"label": "אפליקציות",
"edit": {
"label": "עריכה"
}
},
"users": {
"label": "משתמשים",
"create": {
"label": "צור"
},
"general": "כללי",
"security": "אבטחה",
"board": "לוחות",
"invites": {
"label": "הזמנות"
}
},
"tools": {
"label": "כלים",
"docker": {
"label": "דוקר"
}
},
"settings": {
"label": "הגדרות"
},
"about": {
"label": "אודות"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "אפליקציות"
},
"board": {
"title": "לוחות"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "טורנטים"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "עזרה",
"option": {
"documentation": {
"label": "תיעוד"
},
"discord": {
"label": "קהילת דיסקורד"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "ניהול משתמשים"
},
"about": {
"label": "אודות"
},
"preferences": {
"label": "העדפות שלך"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "משתמשים"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "שם"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Korisnici",
"name": "Korisnik",
"field": {
"email": {
"label": "E-pošta"
},
"username": {
"label": "Korisničko ime"
},
"password": {
"label": "Lozinka",
"requirement": {
"lowercase": "Uključuje mala slova",
"uppercase": "Uključuje veliko slovo",
"number": "Uključuje broj"
}
},
"passwordConfirm": {
"label": "Potvrdi lozinku"
}
},
"action": {
"login": {
"label": "Prijaviti se"
},
"register": {
"label": "Napravi račun",
"notification": {
"success": {
"title": "Račun kreiran"
}
}
},
"create": "Stvori korisnika"
}
},
"group": {
"field": {
"name": "Naziv"
},
"permission": {
"admin": {
"title": ""
},
"board": {
"title": "Daske"
}
}
},
"app": {
"page": {
"list": {
"title": "aplikacije"
}
},
"field": {
"name": {
"label": "Naziv"
}
}
},
"integration": {
"field": {
"name": {
"label": "Naziv"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Neispravan URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Korisničko ime"
},
"password": {
"label": "Lozinka",
"newLabel": ""
}
}
}
},
"media": {
"field": {
"name": "Naziv",
"size": "Veličina",
"creator": "Stvoritelj"
}
},
"common": {
"error": "Pogreška",
"action": {
"add": "Dodaj",
"apply": "",
"create": "Stvoriti",
"edit": "Uredi",
"insert": "",
"remove": "Ukloni",
"save": "Spremi",
"saveChanges": "Spremi promjene",
"cancel": "Otkaži",
"delete": "Obriši",
"confirm": "Potvrdi",
"previous": "Prethodno",
"next": "Sljedeći",
"tryAgain": "Pokušaj ponovno"
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "Vaše preferencije",
"login": "Prijaviti se"
}
},
"dangerZone": "Opasna zona",
"noResults": "Nije pronađen nijedan rezultat",
"zod": {
"errors": {
"default": "Ovo polje nije važeće",
"required": "ovo polje je obavezno",
"string": {
"startsWith": "Ovo polje mora započeti s {startsWith}",
"endsWith": "Ovo polje mora završavati s {endsWith}",
"includes": "Ovo polje mora sadržavati {includes}"
},
"tooSmall": {
"string": "Ovo polje mora sadržavati najmanje {minimum} znakova",
"number": "Ovo polje mora biti veće ili jednako {minimum}"
},
"tooBig": {
"string": "Ovo polje mora sadržavati najviše {maximum} znakova",
"number": "Ovo polje mora biti manje ili jednako {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Naziv"
}
},
"action": {
"moveUp": "Pomakni se gore",
"moveDown": "Pomicati prema dolje"
},
"menu": {
"label": {
"changePosition": "Promijenjen položaj"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Postavke"
}
},
"moveResize": {
"field": {
"width": {
"label": "Širina"
},
"height": {
"label": "Visina"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Otvori u novoj kartici"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Raspored",
"option": {
"row": {
"label": "Horizontalno"
},
"column": {
"label": "Okomito"
}
}
}
},
"data": {
"adsBlockedToday": "",
"adsBlockedTodayPercentage": "",
"dnsQueriesToday": "Upiti danas"
}
},
"dnsHoleControls": {
"description": "Upravljajte PiHole ili AdGuard iz svoje nadzorne ploče",
"option": {
"layout": {
"label": "Raspored",
"option": {
"row": {
"label": "Horizontalno"
},
"column": {
"label": "Okomito"
}
}
}
},
"controls": {
"set": "",
"enabled": "Omogućeno",
"disabled": "Onemogućeno",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "Prikaži trenutni datum i vrijeme.",
"option": {
"timezone": {
"label": ""
}
}
},
"notebook": {
"name": "Bilježnica",
"option": {
"showToolbar": {
"label": "Prikažite alatnu traku koja će vam pomoći u pisanju oznake"
},
"allowReadOnlyCheck": {
"label": ""
},
"content": {
"label": "Sadržaj bilježnice"
}
},
"controls": {
"bold": "",
"italic": "",
"strikethrough": "",
"underline": "",
"colorText": "",
"colorHighlight": "",
"code": "",
"clear": "",
"heading": "",
"align": "",
"blockquote": "",
"horizontalLine": "",
"bulletList": "",
"orderedList": "",
"checkList": "",
"increaseIndent": "",
"decreaseIndent": "",
"link": "",
"unlink": "",
"image": "",
"addTable": "",
"deleteTable": "",
"colorCell": "",
"mergeCell": "",
"addColumnLeft": "",
"addColumnRight": "",
"deleteColumn": "",
"addRowTop": "",
"addRowBelow": "",
"deleteRow": ""
},
"align": {
"left": "Lijevo",
"center": "",
"right": "Pravo"
},
"popover": {
"clearColor": "",
"source": "",
"widthPlaceholder": "",
"columns": "",
"rows": "",
"width": "Širina",
"height": "Visina"
}
},
"iframe": {
"name": "iFrame",
"description": "Ugradite bilo koji sadržaj s interneta. Neke web stranice mogu ograničiti pristup.",
"option": {
"embedUrl": {
"label": "Ugradbeni URL"
},
"allowFullScreen": {
"label": "Dopusti puni zaslon"
},
"allowTransparency": {
"label": "Dopusti prozirnost"
},
"allowScrolling": {
"label": "Dopusti klizanje (scrollanje)"
},
"allowPayment": {
"label": "Dopusti plaćanje"
},
"allowAutoPlay": {
"label": "Dopusti automatsku reprodukciju"
},
"allowMicrophone": {
"label": "Dopusti pristup mikrofonu"
},
"allowCamera": {
"label": "Dopusti pristup kameri"
},
"allowGeolocation": {
"label": "Dopusti geolociranje"
}
},
"error": {
"noBrowerSupport": "Vaš preglednik ne podržava iframeove. Ažurirajte svoj preglednik."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": ""
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": ""
},
"automationId": {
"label": ""
}
}
},
"calendar": {
"name": "Kalendar",
"option": {
"releaseType": {
"label": "Vrsta izdanja u Radarr-u"
}
}
},
"weather": {
"name": "Vremenska prognoza",
"description": "Prikazuje trenutne vremenske informacije za odabranu lokaciju.",
"option": {
"location": {
"label": "Lokacija vremenske prognoze"
}
},
"kind": {
"clear": "Vedro",
"mainlyClear": "Uglavnom vedro",
"fog": "Maglovito",
"drizzle": "Rominjajuća kiša",
"freezingDrizzle": "Ledena kišica",
"rain": "Kiša",
"freezingRain": "Ledena kiša",
"snowFall": "Snježne padavine",
"snowGrains": "Snježne pahulje",
"rainShowers": "Pljusak",
"snowShowers": "Snježna mečava",
"thunderstorm": "Grmljavinska oluja",
"thunderstormWithHail": "Grmljavinska oluja s tučom",
"unknown": "Nepoznato"
}
},
"indexerManager": {
"name": "",
"title": "",
"testAll": ""
},
"healthMonitoring": {
"name": "",
"description": "",
"option": {
"fahrenheit": {
"label": ""
},
"cpu": {
"label": ""
},
"memory": {
"label": ""
},
"fileSystem": {
"label": ""
}
},
"popover": {
"available": ""
}
},
"common": {
"location": {
"search": "traži",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Nepoznato"
}
}
}
},
"video": {
"name": "Video Stream",
"description": "Ugradi video stream ili video sa kamere i/ili web stranice",
"option": {
"feedUrl": {
"label": "URL feed-a"
},
"hasAutoPlay": {
"label": "Automatska reprodukcija"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": ""
},
"downSpeed": {
"columnTitle": "Isključeno",
"detailsTitle": "Brzina preuzimanja"
},
"integration": {
"columnTitle": "Integracija"
},
"progress": {
"columnTitle": "Napredak"
},
"ratio": {
"columnTitle": ""
},
"state": {
"columnTitle": "Stanje"
},
"upSpeed": {
"columnTitle": "Uključeno"
}
},
"states": {
"downloading": "",
"queued": "",
"paused": "Pauzirano",
"completed": "Završeno",
"unknown": "Nepoznato"
}
},
"mediaRequests-requestList": {
"description": "Pregledajte popis svih zahtjeva za medijima s vaše instance Overseerr ili Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Otvori veze u novoj kartici"
}
},
"availability": {
"unknown": "Nepoznato",
"partiallyAvailable": "",
"available": ""
}
},
"mediaRequests-requestStats": {
"description": "Statistika o vašim zahtjevima za medijima",
"titles": {
"stats": {
"main": "Medijska statistika",
"approved": "Već odobreno",
"pending": "Odobrenjea na čekanju",
"tv": "TV zahtjevi",
"movie": "Zahtjevi za Filmovima",
"total": "Ukupno"
},
"users": {
"main": "Najbolji korisnici"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "aplikacije"
},
"screenSize": {
"option": {
"sm": "Mali",
"md": "Srednji",
"lg": "velika"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": ""
},
"backgroundImageSize": {
"label": ""
},
"primaryColor": {
"label": "Primarna boja"
},
"secondaryColor": {
"label": "Sekundarna boja"
},
"customCss": {
"description": "Dodatno, prilagodite svoju nadzornu ploču koristeći CSS, što se preporučuje samo iskusnim korisnicima"
},
"name": {
"label": "Naziv"
},
"isPublic": {
"label": "Javno"
}
},
"setting": {
"section": {
"general": {
"title": "Općenito"
},
"layout": {
"title": "Raspored"
},
"background": {
"title": "Pozadina"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Prikaz ploče"
}
}
}
},
"dangerZone": {
"title": "Opasna zona",
"action": {
"delete": {
"confirm": {
"title": "Izbriši ploču"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Dom",
"boards": "Daske",
"apps": "aplikacije",
"users": {
"label": "Korisnici",
"items": {
"manage": "Upravljati",
"invites": "poziva"
}
},
"tools": {
"label": "Alati",
"items": {
"docker": "Docker",
"api": ""
}
},
"settings": "Postavke",
"help": {
"label": "Pomozite",
"items": {
"documentation": "Dokumentacija",
"discord": "Nesloga u zajednici"
}
},
"about": "O aplikaciji"
}
},
"page": {
"home": {
"statistic": {
"board": "Daske",
"user": "Korisnici",
"invite": "poziva",
"app": "aplikacije"
},
"statisticLabel": {
"boards": "Daske"
}
},
"board": {
"title": "Vaše ploče",
"action": {
"settings": {
"label": "Postavke"
},
"setHomeBoard": {
"badge": {
"label": "Dom"
}
},
"delete": {
"label": "Izbriši trajno",
"confirm": {
"title": "Izbriši ploču"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Naziv"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Općenito",
"item": {
"firstDayOfWeek": "Prvi dan u tjednu",
"accessibility": "Pristupačnost"
}
},
"security": {
"title": ""
},
"board": {
"title": "Daske"
}
},
"list": {
"metaTitle": "Upravljanje korisnicima",
"title": "Korisnici"
},
"create": {
"metaTitle": "Stvori korisnika",
"step": {
"security": {
"label": ""
}
}
},
"invite": {
"title": "Upravljanje pozivnicama korisnika",
"action": {
"new": {
"description": "Nakon isteka, pozivnica više neće biti valjana i primatelj pozivnice neće moći kreirati račun."
},
"copy": {
"link": "Link pozivnice"
},
"delete": {
"title": "Izbriši pozivnicu",
"description": "Jeste li sigurni da želite izbrisati ovu pozivnicu? Korisnici s ovom vezom više neće moći stvoriti račun pomoću te veze."
}
},
"field": {
"id": {
"label": "iskaznica"
},
"creator": {
"label": "Stvoritelj"
},
"expirationDate": {
"label": "Datum isteka roka trajanja"
},
"token": {
"label": "Znak"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Općenito"
}
}
},
"settings": {
"title": "Postavke"
},
"tool": {
"tasks": {
"status": {
"running": "U radu",
"error": "Pogreška"
},
"job": {
"mediaServer": {
"label": "Medijski poslužitelj"
},
"mediaRequests": {
"label": "Zahtjevi za medijima"
}
}
},
"api": {
"title": "",
"tab": {
"documentation": {
"label": "Dokumentacija"
},
"apiKey": {
"table": {
"header": {
"id": "iskaznica"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "Naziv"
},
"state": {
"label": "Stanje",
"option": {
"created": "Kreirano",
"running": "U radu",
"paused": "Pauzirano",
"restarting": "Ponovno pokretanje",
"removing": "Uklanjam"
}
},
"containerImage": {
"label": "Slika"
},
"ports": {
"label": "Portovi"
}
},
"action": {
"start": {
"label": "Pokreni"
},
"stop": {
"label": "Zaustavi"
},
"restart": {
"label": "Ponovo pokreni"
},
"remove": {
"label": "Ukloni"
}
}
},
"permission": {
"tab": {
"user": "Korisnici"
},
"field": {
"user": {
"label": "Korisnik"
}
}
},
"navigationStructure": {
"manage": {
"label": "Upravljati",
"boards": {
"label": "Daske"
},
"integrations": {
"edit": {
"label": "Uredi"
}
},
"search-engines": {
"edit": {
"label": "Uredi"
}
},
"apps": {
"label": "aplikacije",
"edit": {
"label": "Uredi"
}
},
"users": {
"label": "Korisnici",
"create": {
"label": "Stvoriti"
},
"general": "Općenito",
"security": "",
"board": "Daske",
"invites": {
"label": "poziva"
}
},
"tools": {
"label": "Alati",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Postavke"
},
"about": {
"label": "O aplikaciji"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "aplikacije"
},
"board": {
"title": "Daske"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrenti"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Pomozite",
"option": {
"documentation": {
"label": "Dokumentacija"
},
"discord": {
"label": "Nesloga u zajednici"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Upravljanje korisnicima"
},
"about": {
"label": "O aplikaciji"
},
"preferences": {
"label": "Vaše preferencije"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Korisnici"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Naziv"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Felhasználók",
"name": "Felhasználó",
"field": {
"email": {
"label": "Email cím"
},
"username": {
"label": "Felhasználónév"
},
"password": {
"label": "Jelszó",
"requirement": {
"lowercase": "Tartalmazzon kisbetűt",
"uppercase": "Tartalmazzon nagybetűt",
"number": "Tartalmazzon számot"
}
},
"passwordConfirm": {
"label": "Jelszó megerősítése"
}
},
"action": {
"login": {
"label": "Bejelentkezés"
},
"register": {
"label": "Fiók létrehozása",
"notification": {
"success": {
"title": "Fiók létrehozva"
}
}
},
"create": "Felhasználó létrehozása"
}
},
"group": {
"field": {
"name": "Név"
},
"permission": {
"admin": {
"title": "Adminisztrátor"
},
"board": {
"title": "Táblák"
}
}
},
"app": {
"page": {
"list": {
"title": "Alkalmazások"
}
},
"field": {
"name": {
"label": "Név"
}
}
},
"integration": {
"field": {
"name": {
"label": "Név"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Érvénytelen URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Felhasználónév"
},
"password": {
"label": "Jelszó",
"newLabel": "Új jelszó"
}
}
}
},
"media": {
"field": {
"name": "Név",
"size": "Méret",
"creator": "Létrehozó"
}
},
"common": {
"error": "Hiba",
"action": {
"add": "Hozzáadás",
"apply": "Alkalmaz",
"create": "Létrehozás",
"edit": "Szerkesztés",
"insert": "Beillesztés",
"remove": "Eltávolítás",
"save": "Mentés",
"saveChanges": "Változások mentése",
"cancel": "Mégse",
"delete": "Törlés",
"confirm": "Megerősít",
"previous": "Előző",
"next": "Következő",
"tryAgain": "Próbálja újra"
},
"information": {
"hours": "Óra",
"minutes": "Perc"
},
"userAvatar": {
"menu": {
"preferences": "Saját preferenciák",
"login": "Bejelentkezés"
}
},
"dangerZone": "Veszélyzóna",
"noResults": "Nincs eredmény",
"zod": {
"errors": {
"default": "Ez a mező érvénytelen",
"required": "Ez a mező kötelező",
"string": {
"startsWith": "Ennek a mezőnek a {startsWith} kell kezdődnie",
"endsWith": "Ennek a mezőnek a {endsWith} kell végződnie",
"includes": "Ennek a mezőnek tartalmaznia kell a {includes} értéket"
},
"tooSmall": {
"string": "Ennek a mezőnek legalább {minimum} karakter hosszúságúnak kell lennie",
"number": "Ennek a mezőnek nagyobbnak vagy egyenlőnek kell lennie a {minimum} értékkel"
},
"tooBig": {
"string": "Ez a mező legfeljebb {maximum} karakter hosszúságú lehet",
"number": "Ennek a mezőnek kisebbnek vagy egyenlőnek kell lennie a {maximum} értékkel"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Név"
}
},
"action": {
"moveUp": "Felfelé mozgatás",
"moveDown": "Mozgatás le"
},
"menu": {
"label": {
"changePosition": "Pozíció módosítása"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Beállítások"
}
},
"moveResize": {
"field": {
"width": {
"label": "Szélesség"
},
"height": {
"label": "Magasság"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Megnyitás új lapon"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Elrendezés",
"option": {
"row": {
"label": "Vízszintes"
},
"column": {
"label": "Függőleges"
}
}
}
},
"data": {
"adsBlockedToday": "Mai blokkolások",
"adsBlockedTodayPercentage": "Mai blokkolások",
"dnsQueriesToday": "Mai lekérdezések"
}
},
"dnsHoleControls": {
"description": "A PiHole vagy az AdGuard vezérlése a műszerfalról",
"option": {
"layout": {
"label": "Elrendezés",
"option": {
"row": {
"label": "Vízszintes"
},
"column": {
"label": "Függőleges"
}
}
}
},
"controls": {
"set": "Beállít",
"enabled": "Engedélyezve",
"disabled": "Letiltva",
"hours": "Óra",
"minutes": "Perc"
}
},
"clock": {
"description": "Megjeleníti az aktuális dátumot és időt.",
"option": {
"timezone": {
"label": "Időzóna"
}
}
},
"notebook": {
"name": "Jegyzettömb",
"option": {
"showToolbar": {
"label": "A markdown írást segítő eszköztár megjelenítése"
},
"allowReadOnlyCheck": {
"label": "Csak olvasási módban történő ellenőrzés engedélyezése"
},
"content": {
"label": "A jegyzetfüzet tartalma"
}
},
"controls": {
"bold": "Félkövér",
"italic": "Dőlt",
"strikethrough": "Áthúzott",
"underline": "Aláhúzott",
"colorText": "Szövegszín",
"colorHighlight": "Színesen kiemelt szöveg",
"code": "Kód",
"clear": "Formázás törlése",
"heading": "Címsor {level}",
"align": "Szöveg igazítása: {position}",
"blockquote": "Idézet",
"horizontalLine": "Vízszintes vonal",
"bulletList": "Lista",
"orderedList": "Sorkizárt",
"checkList": "Jelölőnégyzetes lista",
"increaseIndent": "Behúzás növelése",
"decreaseIndent": "Behúzás csökkentése",
"link": "Hivatkozás",
"unlink": "Hivatkozás eltávolítása",
"image": "Kép beágyazása",
"addTable": "Táblázat hozzáadása",
"deleteTable": "Táblázat törlése",
"colorCell": "Színes cella",
"mergeCell": "Cellák összevonása",
"addColumnLeft": "Oszlop hozzáadása előtte",
"addColumnRight": "Oszlop hozzáadása utána",
"deleteColumn": "Oszlop törlése",
"addRowTop": "Sor hozzáadása előtte",
"addRowBelow": "Sor hozzáadása utána",
"deleteRow": "Sor törlése"
},
"align": {
"left": "Bal",
"center": "Középre",
"right": "Jobb"
},
"popover": {
"clearColor": "Szín törlése",
"source": "Forrás",
"widthPlaceholder": "Érték %-ban vagy képpontban",
"columns": "Oszlopok",
"rows": "Sorok",
"width": "Szélesség",
"height": "Magasság"
}
},
"iframe": {
"name": "Beágyazott keret (iFrame)",
"description": "Bármilyen tartalom beágyazása az internetről. Egyes webhelyek korlátozhatják a hozzáférést.",
"option": {
"embedUrl": {
"label": "Beágyazási URL"
},
"allowFullScreen": {
"label": "Teljes képernyő engedélyezése"
},
"allowTransparency": {
"label": "Engedélyezze az átláthatóságot"
},
"allowScrolling": {
"label": "Görgetés engedélyezése"
},
"allowPayment": {
"label": "Fizetés engedélyezése"
},
"allowAutoPlay": {
"label": "Automatikus lejátszás engedélyezése"
},
"allowMicrophone": {
"label": "Mikrofon engedélyezése"
},
"allowCamera": {
"label": "Kamera engedélyezése"
},
"allowGeolocation": {
"label": "Geolokáció engedélyezése"
}
},
"error": {
"noBrowerSupport": "Az Ön böngészője nem támogatja a beágyazott kereteket. Kérjük, frissítse böngészőjét."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Egység azonosító"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Megjelenített név"
},
"automationId": {
"label": "Automatizálási azonosító"
}
}
},
"calendar": {
"name": "Naptár",
"option": {
"releaseType": {
"label": "Radarr kiadás típusa"
}
}
},
"weather": {
"name": "Időjárás",
"description": "Megjeleníti egy meghatározott hely aktuális időjárási adatait.",
"option": {
"location": {
"label": "Időjárás helye"
}
},
"kind": {
"clear": "Tiszta",
"mainlyClear": "Főként tiszta",
"fog": "Köd",
"drizzle": "Ködszitálás",
"freezingDrizzle": "Ónos szitálás",
"rain": "Eső",
"freezingRain": "Ónos eső",
"snowFall": "Hóesés",
"snowGrains": "Hószemcsék",
"rainShowers": "Záporok",
"snowShowers": "Hózáporok",
"thunderstorm": "Vihar",
"thunderstormWithHail": "Zivatar jégesővel",
"unknown": "Ismeretlen"
}
},
"indexerManager": {
"name": "Indexelő menedzser állapota",
"title": "Indexelő menedzser",
"testAll": "Teszteld az összeset"
},
"healthMonitoring": {
"name": "Rendszerállapot-felügyelet",
"description": "Megjeleníti a rendszer(ek) állapotát és állapotát mutató információkat.",
"option": {
"fahrenheit": {
"label": "CPU hőmérséklet Fahrenheitben"
},
"cpu": {
"label": "CPU-információk megjelenítése"
},
"memory": {
"label": "Memóriainformációk megjelenítése"
},
"fileSystem": {
"label": "Fájlrendszer-információk megjelenítése"
}
},
"popover": {
"available": "Elérhető"
}
},
"common": {
"location": {
"search": "Keresés",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Ismeretlen"
}
}
}
},
"video": {
"name": "Videófolyam",
"description": "Videófolyam vagy videó beágyazása egy kameráról vagy weboldalról",
"option": {
"feedUrl": {
"label": "Hírcsatorna URL"
},
"hasAutoPlay": {
"label": "Automatikus lejátszás"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Hozzáadás dátuma"
},
"downSpeed": {
"columnTitle": "Le",
"detailsTitle": "Letöltési sebesség"
},
"integration": {
"columnTitle": "Integráció"
},
"progress": {
"columnTitle": "Folyamat"
},
"ratio": {
"columnTitle": "Arány"
},
"state": {
"columnTitle": "Állapot"
},
"upSpeed": {
"columnTitle": "Fel"
}
},
"states": {
"downloading": "Letöltés",
"queued": "Sorban áll",
"paused": "Szünet",
"completed": "Kész",
"unknown": "Ismeretlen"
}
},
"mediaRequests-requestList": {
"description": "Az Overseerr vagy Jellyseerr példány összes médiakérelmének listájának megtekintése",
"option": {
"linksTargetNewTab": {
"label": "Linkek megnyitása új fülön"
}
},
"availability": {
"unknown": "Ismeretlen",
"partiallyAvailable": "Részleges",
"available": "Elérhető"
}
},
"mediaRequests-requestStats": {
"description": "Statisztikák az Ön médiakéréseiről",
"titles": {
"stats": {
"main": "Média statisztikák",
"approved": "Már jóváhagyva",
"pending": "Várakozás jóváhagyásra",
"tv": "TV kérések",
"movie": "Filmkérések",
"total": "Összesen"
},
"users": {
"main": "Legnépszerűbb felhasználók"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Alkalmazások"
},
"screenSize": {
"option": {
"sm": "Kicsi",
"md": "Közepes",
"lg": "Nagy"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Háttérkép csatolása"
},
"backgroundImageSize": {
"label": "Háttér kép mérete"
},
"primaryColor": {
"label": "Elsődleges szín"
},
"secondaryColor": {
"label": "Másodlagos szín"
},
"customCss": {
"description": "Továbbá, testreszabhatja műszerfalát CSS segítségével, csak tapasztalt felhasználóknak ajánlott"
},
"name": {
"label": "Név"
},
"isPublic": {
"label": "Nyilvános"
}
},
"setting": {
"section": {
"general": {
"title": "Általános"
},
"layout": {
"title": "Elrendezés"
},
"background": {
"title": "Háttér"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Tábla megtekintése"
}
}
}
},
"dangerZone": {
"title": "Veszélyzóna",
"action": {
"delete": {
"confirm": {
"title": "Tábla törlése"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Nyitólap",
"boards": "Táblák",
"apps": "Alkalmazások",
"users": {
"label": "Felhasználók",
"items": {
"manage": "Kezelés",
"invites": "Meghívók"
}
},
"tools": {
"label": "Eszközök",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Beállítások",
"help": {
"label": "Segítség",
"items": {
"documentation": "Dokumentáció",
"discord": "Discord-szerverünk"
}
},
"about": "Névjegy"
}
},
"page": {
"home": {
"statistic": {
"board": "Táblák",
"user": "Felhasználók",
"invite": "Meghívók",
"app": "Alkalmazások"
},
"statisticLabel": {
"boards": "Táblák"
}
},
"board": {
"title": "Az Ön táblái",
"action": {
"settings": {
"label": "Beállítások"
},
"setHomeBoard": {
"badge": {
"label": "Nyitólap"
}
},
"delete": {
"label": "Végleges törlés",
"confirm": {
"title": "Tábla törlése"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Név"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Általános",
"item": {
"firstDayOfWeek": "A hét első napja",
"accessibility": "Kisegítő lehetőségek"
}
},
"security": {
"title": "Biztonság"
},
"board": {
"title": "Táblák"
}
},
"list": {
"metaTitle": "Felhasználók kezelése",
"title": "Felhasználók"
},
"create": {
"metaTitle": "Felhasználó létrehozása",
"step": {
"security": {
"label": "Biztonság"
}
}
},
"invite": {
"title": "Felhasználói meghívók kezelése",
"action": {
"new": {
"description": "A lejárat után a meghívó már nem lesz érvényes, és a meghívó címzettje nem tud fiókot létrehozni."
},
"copy": {
"link": "Meghívó link"
},
"delete": {
"title": "Meghívó törlése",
"description": "Biztos, hogy törölni szeretné ezt a meghívót? Az ezzel a linkkel rendelkező felhasználók többé nem tudnak fiókot létrehozni a link használatával."
}
},
"field": {
"id": {
"label": "Azonosító"
},
"creator": {
"label": "Létrehozó"
},
"expirationDate": {
"label": "Lejárati idő"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Általános"
}
}
},
"settings": {
"title": "Beállítások"
},
"tool": {
"tasks": {
"status": {
"running": "Fut",
"error": "Hiba"
},
"job": {
"mediaServer": {
"label": "Médiakiszolgáló"
},
"mediaRequests": {
"label": "Média kérések"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokumentáció"
},
"apiKey": {
"table": {
"header": {
"id": "Azonosító"
}
}
}
}
}
}
}
},
"docker": {
"title": "Tartály",
"field": {
"name": {
"label": "Név"
},
"state": {
"label": "Állapot",
"option": {
"created": "Létrehozva",
"running": "Fut",
"paused": "Szünet",
"restarting": "Újraindítás",
"removing": "Eltávolítás"
}
},
"containerImage": {
"label": "Kép"
},
"ports": {
"label": "Portok"
}
},
"action": {
"start": {
"label": "Indítás"
},
"stop": {
"label": "Megállítás"
},
"restart": {
"label": "Újraindítás"
},
"remove": {
"label": "Eltávolítás"
}
}
},
"permission": {
"tab": {
"user": "Felhasználók"
},
"field": {
"user": {
"label": "Felhasználó"
}
}
},
"navigationStructure": {
"manage": {
"label": "Kezelés",
"boards": {
"label": "Táblák"
},
"integrations": {
"edit": {
"label": "Szerkesztés"
}
},
"search-engines": {
"edit": {
"label": "Szerkesztés"
}
},
"apps": {
"label": "Alkalmazások",
"edit": {
"label": "Szerkesztés"
}
},
"users": {
"label": "Felhasználók",
"create": {
"label": "Létrehozás"
},
"general": "Általános",
"security": "Biztonság",
"board": "Táblák",
"invites": {
"label": "Meghívók"
}
},
"tools": {
"label": "Eszközök",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Beállítások"
},
"about": {
"label": "Névjegy"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Alkalmazások"
},
"board": {
"title": "Táblák"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrentek"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Segítség",
"option": {
"documentation": {
"label": "Dokumentáció"
},
"discord": {
"label": "Discord-szerverünk"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Felhasználók kezelése"
},
"about": {
"label": "Névjegy"
},
"preferences": {
"label": "Saját preferenciák"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Felhasználók"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Név"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Utenti",
"name": "Utente",
"field": {
"email": {
"label": "E-mail"
},
"username": {
"label": "Nome utente"
},
"password": {
"label": "Password",
"requirement": {
"lowercase": "Include lettera minuscola",
"uppercase": "Include lettera maiuscola",
"number": "Include numero"
}
},
"passwordConfirm": {
"label": "Conferma password"
}
},
"action": {
"login": {
"label": "Accedi"
},
"register": {
"label": "Crea account",
"notification": {
"success": {
"title": "Account creato"
}
}
},
"create": "Crea utente"
}
},
"group": {
"field": {
"name": "Nome"
},
"permission": {
"admin": {
"title": "Admin"
},
"board": {
"title": "Boards"
}
}
},
"app": {
"page": {
"list": {
"title": "Applicazioni"
}
},
"field": {
"name": {
"label": "Nome"
}
}
},
"integration": {
"field": {
"name": {
"label": "Nome"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "URL invalido"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Nome utente"
},
"password": {
"label": "Password",
"newLabel": "Nuova password"
}
}
}
},
"media": {
"field": {
"name": "Nome",
"size": "Dimensione",
"creator": "Creatore"
}
},
"common": {
"error": "Errore",
"action": {
"add": "Aggiungi",
"apply": "Applica",
"create": "Crea",
"edit": "Modifica",
"insert": "Inserisci",
"remove": "Rimuovi",
"save": "Salva",
"saveChanges": "Salva modifiche",
"cancel": "Annulla",
"delete": "Elimina",
"confirm": "Conferma",
"previous": "Precedente",
"next": "Successivo",
"tryAgain": "Riprova"
},
"information": {
"hours": "Ore",
"minutes": "Minuti"
},
"userAvatar": {
"menu": {
"preferences": "Le tue impostazioni",
"login": "Accedi"
}
},
"dangerZone": "Danger zone",
"noResults": "Nessun risultato trovato",
"zod": {
"errors": {
"default": "Questo campo non è valido",
"required": "Questo campo è obbligatorio",
"string": {
"startsWith": "Questo campo deve iniziare con {startsWith}",
"endsWith": "Questo campo deve terminare con {endsWith}",
"includes": "Questo campo deve includere {includes}"
},
"tooSmall": {
"string": "Questo campo deve avere una lunghezza minima di {minimum} caratteri",
"number": "Questo campo deve essere maggiore o uguale a {minimum}"
},
"tooBig": {
"string": "Questo campo deve avere una lunghezza massima di {maximum} caratteri",
"number": "Questo campo deve essere maggiore o uguale a {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Nome"
}
},
"action": {
"moveUp": "Sposta in alto",
"moveDown": "Sposta in basso"
},
"menu": {
"label": {
"changePosition": "Cambia posizione"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Impostazioni"
}
},
"moveResize": {
"field": {
"width": {
"label": "Larghezza"
},
"height": {
"label": "Altezza"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Apri in una nuova scheda"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Layout",
"option": {
"row": {
"label": "Orizzontale"
},
"column": {
"label": "Verticale"
}
}
}
},
"data": {
"adsBlockedToday": "Bloccati oggi",
"adsBlockedTodayPercentage": "Bloccati oggi",
"dnsQueriesToday": "Query di oggi"
}
},
"dnsHoleControls": {
"description": "Controlla PiHole o AdGuard dalla tua dashboard",
"option": {
"layout": {
"label": "Layout",
"option": {
"row": {
"label": "Orizzontale"
},
"column": {
"label": "Verticale"
}
}
}
},
"controls": {
"set": "Imposta",
"enabled": "Abilitato",
"disabled": "Disattivato",
"hours": "Ore",
"minutes": "Minuti"
}
},
"clock": {
"description": "Visualizza la data e l'ora correnti.",
"option": {
"timezone": {
"label": "Fuso orario"
}
}
},
"notebook": {
"name": "Blocco note",
"option": {
"showToolbar": {
"label": "Mostra la barra degli strumenti per aiutarti a scrivere in Markdown"
},
"allowReadOnlyCheck": {
"label": "Consenti il check in modalità di sola lettura"
},
"content": {
"label": "Contenuto del blocco note"
}
},
"controls": {
"bold": "Grassetto",
"italic": "Corsivo",
"strikethrough": "Testo barrato",
"underline": "Sottolineato",
"colorText": "Testo a colori",
"colorHighlight": "Testo evidenziato colorato",
"code": "Codice",
"clear": "Rimuovi formattazione",
"heading": "Intestazione {level}",
"align": "Allinea testo: {position}",
"blockquote": "Citazione",
"horizontalLine": "Linea orizzontale",
"bulletList": "Elenco puntato",
"orderedList": "Elenco ordinato",
"checkList": "Elenco di controllo",
"increaseIndent": "Aumenta indentatura",
"decreaseIndent": "Diminuisci indentatura",
"link": "Link",
"unlink": "Elimina link",
"image": "Incorpora immagine",
"addTable": "Aggiungi tabella",
"deleteTable": "Elimina tabella",
"colorCell": "Colore cella",
"mergeCell": "Attiva/disattiva unione celle",
"addColumnLeft": "Aggiungi colonna prima",
"addColumnRight": "Aggiungi colonna dopo",
"deleteColumn": "Elimina colonna",
"addRowTop": "Aggiungi riga prima",
"addRowBelow": "Aggiungi riga dopo",
"deleteRow": "Elimina riga"
},
"align": {
"left": "Sinistra",
"center": "Centra",
"right": "Destra"
},
"popover": {
"clearColor": "Rimuovi colore",
"source": "Fonte",
"widthPlaceholder": "Valore in % o pixel",
"columns": "Colonne",
"rows": "Righe",
"width": "Larghezza",
"height": "Altezza"
}
},
"iframe": {
"name": "iFrame",
"description": "Incorpora qualsiasi contenuto da Internet. Alcuni siti web possono limitare l'accesso.",
"option": {
"embedUrl": {
"label": "Incorpora URL"
},
"allowFullScreen": {
"label": "Consenti schermo intero"
},
"allowTransparency": {
"label": "Consenti trasparenza"
},
"allowScrolling": {
"label": "Consenti scorrimento"
},
"allowPayment": {
"label": "Consenti pagamento"
},
"allowAutoPlay": {
"label": "Consenti riproduzione automatica"
},
"allowMicrophone": {
"label": "Consenti microfono"
},
"allowCamera": {
"label": "Consenti fotocamera"
},
"allowGeolocation": {
"label": "Consenti geo-localizzazione"
}
},
"error": {
"noBrowerSupport": "Il tuo browser non supporta iframes. Aggiorna il tuo browser."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "ID entità"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Visualizza nome"
},
"automationId": {
"label": "ID automazione"
}
}
},
"calendar": {
"name": "Calendario",
"option": {
"releaseType": {
"label": "Tipo di release Radarr"
}
}
},
"weather": {
"name": "Meteo",
"description": "Mostra le informazioni meteo attuali di una località.",
"option": {
"location": {
"label": "Località meteo"
}
},
"kind": {
"clear": "Sereno",
"mainlyClear": "Per lo più sereno",
"fog": "Nebbia",
"drizzle": "Pioggia leggera",
"freezingDrizzle": "Pioggia leggera gelata",
"rain": "Pioggia",
"freezingRain": "Pioggia gelata",
"snowFall": "Neve",
"snowGrains": "Neve tonda",
"rainShowers": "Rovesci",
"snowShowers": "Forti nevicate",
"thunderstorm": "Temporale",
"thunderstormWithHail": "Temporale con grandine",
"unknown": "Sconosciuto"
}
},
"indexerManager": {
"name": "Stato del gestore dell'indicizzatore",
"title": "Gestore dell'indicizzatore",
"testAll": "Prova Tutto"
},
"healthMonitoring": {
"name": "Monitoraggio dello stato del sistema",
"description": "Visualizza informazioni sulla salute e stato dei tuoi sistemi.",
"option": {
"fahrenheit": {
"label": "Temperatura CPU in Fahrenheit"
},
"cpu": {
"label": "Mostra info CPU"
},
"memory": {
"label": "Mostra Informazioni Memoria"
},
"fileSystem": {
"label": "Mostra Informazioni Filesystem"
}
},
"popover": {
"available": "Disponibile"
}
},
"common": {
"location": {
"search": "Cerca",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Sconosciuto"
}
}
}
},
"video": {
"name": "Flusso Video",
"description": "Incorpora un flusso video o un video da una videocamera o da un sito web",
"option": {
"feedUrl": {
"label": "URL del feed"
},
"hasAutoPlay": {
"label": "Riproduzione automatica"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Aggiunto in data"
},
"downSpeed": {
"columnTitle": "Down",
"detailsTitle": "Velocità Di Download"
},
"integration": {
"columnTitle": "Integrazione"
},
"progress": {
"columnTitle": "Avanzamento"
},
"ratio": {
"columnTitle": "Ratio"
},
"state": {
"columnTitle": "Stato"
},
"upSpeed": {
"columnTitle": "Up"
}
},
"states": {
"downloading": "Download in corso",
"queued": "In coda",
"paused": "In pausa",
"completed": "Completato",
"unknown": "Sconosciuto"
}
},
"mediaRequests-requestList": {
"description": "Vedi un elenco di tutte le richieste multimediali dalla tua istanza Overseerr o Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Apri i link in nuova scheda"
}
},
"availability": {
"unknown": "Sconosciuto",
"partiallyAvailable": "Parziale",
"available": "Disponibile"
}
},
"mediaRequests-requestStats": {
"description": "Statistiche sulle richieste multimediali",
"titles": {
"stats": {
"main": "Statistiche Multimediali",
"approved": "Già approvato",
"pending": "Approvazioni In Attesa",
"tv": "Richieste TV",
"movie": "Richieste film",
"total": "Totale"
},
"users": {
"main": "Utenti Top"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Applicazioni"
},
"screenSize": {
"option": {
"sm": "Piccolo",
"md": "Medio",
"lg": "Grande"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Allegato immagine di sfondo"
},
"backgroundImageSize": {
"label": "Dimensioni dell'immagine di sfondo"
},
"primaryColor": {
"label": "Colore primario"
},
"secondaryColor": {
"label": "Colore secondario"
},
"customCss": {
"description": "Inoltre, personalizza la dashboard utilizzando i CSS, consigliato solo agli utenti esperti"
},
"name": {
"label": "Nome"
},
"isPublic": {
"label": "Pubblico"
}
},
"setting": {
"section": {
"general": {
"title": "Generale"
},
"layout": {
"title": "Layout"
},
"background": {
"title": "Sfondo"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Mostra board"
}
}
}
},
"dangerZone": {
"title": "Danger zone",
"action": {
"delete": {
"confirm": {
"title": "Elimina board"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Home",
"boards": "Boards",
"apps": "Applicazioni",
"users": {
"label": "Utenti",
"items": {
"manage": "Gestisci",
"invites": "Inviti"
}
},
"tools": {
"label": "Strumenti",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Impostazioni",
"help": {
"label": "Aiuto",
"items": {
"documentation": "Documentazione",
"discord": "Discord della community"
}
},
"about": "Info"
}
},
"page": {
"home": {
"statistic": {
"board": "Boards",
"user": "Utenti",
"invite": "Inviti",
"app": "Applicazioni"
},
"statisticLabel": {
"boards": "Boards"
}
},
"board": {
"title": "Le tue board",
"action": {
"settings": {
"label": "Impostazioni"
},
"setHomeBoard": {
"badge": {
"label": "Home"
}
},
"delete": {
"label": "Elimina definitivamente",
"confirm": {
"title": "Elimina board"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Nome"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Generale",
"item": {
"firstDayOfWeek": "Primo giorno della settimana",
"accessibility": "Accessibilità"
}
},
"security": {
"title": "Sicurezza"
},
"board": {
"title": "Boards"
}
},
"list": {
"metaTitle": "Gestisci utenti",
"title": "Utenti"
},
"create": {
"metaTitle": "Crea utente",
"step": {
"security": {
"label": "Sicurezza"
}
}
},
"invite": {
"title": "Gestisci inviti utente",
"action": {
"new": {
"description": "Dopo la scadenza, un invito non sarà più valido e il destinatario dell'invito non potrà creare un account."
},
"copy": {
"link": "Link d'invito"
},
"delete": {
"title": "Elimina invito",
"description": "Siete sicuri di voler eliminare questo invito? Gli utenti con questo link non potranno più creare un account utilizzando tale link."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Creatore"
},
"expirationDate": {
"label": "Data di scadenza"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Generale"
}
}
},
"settings": {
"title": "Impostazioni"
},
"tool": {
"tasks": {
"status": {
"running": "In esecuzione",
"error": "Errore"
},
"job": {
"mediaServer": {
"label": "Server multimediale"
},
"mediaRequests": {
"label": "Richieste Media"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Documentazione"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "Containers",
"field": {
"name": {
"label": "Nome"
},
"state": {
"label": "Stato",
"option": {
"created": "Creato",
"running": "In esecuzione",
"paused": "In pausa",
"restarting": "Riavvio",
"removing": "Rimozione in corso"
}
},
"containerImage": {
"label": "Immagine"
},
"ports": {
"label": "Porte"
}
},
"action": {
"start": {
"label": "Avvia"
},
"stop": {
"label": "Arresta"
},
"restart": {
"label": "Riavvia"
},
"remove": {
"label": "Rimuovi"
}
}
},
"permission": {
"tab": {
"user": "Utenti"
},
"field": {
"user": {
"label": "Utente"
}
}
},
"navigationStructure": {
"manage": {
"label": "Gestisci",
"boards": {
"label": "Boards"
},
"integrations": {
"edit": {
"label": "Modifica"
}
},
"search-engines": {
"edit": {
"label": "Modifica"
}
},
"apps": {
"label": "Applicazioni",
"edit": {
"label": "Modifica"
}
},
"users": {
"label": "Utenti",
"create": {
"label": "Crea"
},
"general": "Generale",
"security": "Sicurezza",
"board": "Boards",
"invites": {
"label": "Inviti"
}
},
"tools": {
"label": "Strumenti",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Impostazioni"
},
"about": {
"label": "Info"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Applicazioni"
},
"board": {
"title": "Boards"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrents"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Aiuto",
"option": {
"documentation": {
"label": "Documentazione"
},
"discord": {
"label": "Discord della community"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Gestisci utenti"
},
"about": {
"label": "Info"
},
"preferences": {
"label": "Le tue impostazioni"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Utenti"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Nome"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "ユーザー",
"name": "ユーザー",
"field": {
"email": {
"label": "Eメール"
},
"username": {
"label": "ユーザー名"
},
"password": {
"label": "パスワード",
"requirement": {
"lowercase": "小文字を含む",
"uppercase": "大文字を含む",
"number": "番号を含む"
}
},
"passwordConfirm": {
"label": "パスワードの確認"
}
},
"action": {
"login": {
"label": "ログイン"
},
"register": {
"label": "アカウント作成",
"notification": {
"success": {
"title": "アカウント作成"
}
}
},
"create": "ユーザー作成"
}
},
"group": {
"field": {
"name": "名称"
},
"permission": {
"admin": {
"title": "管理者"
},
"board": {
"title": "ボード"
}
}
},
"app": {
"page": {
"list": {
"title": "アプリ"
}
},
"field": {
"name": {
"label": "名称"
}
}
},
"integration": {
"field": {
"name": {
"label": "名称"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "無効なURL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "ユーザー名"
},
"password": {
"label": "パスワード",
"newLabel": "新しいパスワード"
}
}
}
},
"media": {
"field": {
"name": "名称",
"size": "サイズ",
"creator": "クリエイター"
}
},
"common": {
"error": "エラー",
"action": {
"add": "追加",
"apply": "適用する",
"create": "作成",
"edit": "編集",
"insert": "挿入",
"remove": "削除",
"save": "保存",
"saveChanges": "変更を保存する",
"cancel": "キャンセル",
"delete": "削除",
"confirm": "確認",
"previous": "前へ",
"next": "次のページ",
"tryAgain": "リトライ"
},
"information": {
"hours": "時間",
"minutes": "分"
},
"userAvatar": {
"menu": {
"preferences": "あなたの好み",
"login": "ログイン"
}
},
"dangerZone": "危険な操作",
"noResults": "結果が見つかりません",
"zod": {
"errors": {
"default": "このフィールドは無効です。",
"required": "このフィールドは必須です",
"string": {
"startsWith": "このフィールドは {startsWith}で始まらなければならない。",
"endsWith": "このフィールドの末尾は {endsWith}でなければならない。",
"includes": "このフィールドには {includes}を含めなければならない。"
},
"tooSmall": {
"string": "このフィールドは {minimum} 文字以上で入力してください。",
"number": "このフィールドは {minimum}以上でなければならない。"
},
"tooBig": {
"string": "このフィールドは {maximum} 文字以内で入力してください。",
"number": "このフィールドは {maximum}以下でなければならない。"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "名称"
}
},
"action": {
"moveUp": "上に移動",
"moveDown": "下へ移動"
},
"menu": {
"label": {
"changePosition": "ポジションを変更する"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "設定"
}
},
"moveResize": {
"field": {
"width": {
"label": "幅"
},
"height": {
"label": "高さ"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "新しいタブで開く"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "レイアウト",
"option": {
"row": {
"label": "水平"
},
"column": {
"label": "垂直"
}
}
}
},
"data": {
"adsBlockedToday": "今日のブロック",
"adsBlockedTodayPercentage": "今日のブロック",
"dnsQueriesToday": "今日のクエリ"
}
},
"dnsHoleControls": {
"description": "ダッシュボードからPiHoleまたはAdGuardをコントロールする",
"option": {
"layout": {
"label": "レイアウト",
"option": {
"row": {
"label": "水平"
},
"column": {
"label": "垂直"
}
}
}
},
"controls": {
"set": "設定",
"enabled": "有効",
"disabled": "無効",
"hours": "時間",
"minutes": "分"
}
},
"clock": {
"description": "現在の日付と時刻を表示します。",
"option": {
"timezone": {
"label": "タイムゾーン"
}
}
},
"notebook": {
"name": "メモ帳",
"option": {
"showToolbar": {
"label": "マークダウンを書くのに役立つツールバーを表示する"
},
"allowReadOnlyCheck": {
"label": "読み取り専用モードでのチェックを許可する"
},
"content": {
"label": "ノートの内容"
}
},
"controls": {
"bold": "太字",
"italic": "斜体",
"strikethrough": "取り消し線",
"underline": "下線",
"colorText": "色付きテキスト",
"colorHighlight": "色付きのハイライトテキスト",
"code": "コード",
"clear": "書式をクリア",
"heading": "見出し {level}",
"align": "テキストの整列: {position}",
"blockquote": "引用",
"horizontalLine": "水平線",
"bulletList": "箇条書きリスト",
"orderedList": "順序付きリスト",
"checkList": "チェックリスト",
"increaseIndent": "インデントを上げる",
"decreaseIndent": "インデントを下げる",
"link": "リンク",
"unlink": "リンクを削除",
"image": "画像を埋め込む",
"addTable": "テーブルを追加",
"deleteTable": "テーブルを削除",
"colorCell": "色付きテキスト",
"mergeCell": "セル結合の切り替え",
"addColumnLeft": "前に列を追加",
"addColumnRight": "後に列を追加",
"deleteColumn": "列を削除",
"addRowTop": "前に行を追加",
"addRowBelow": "後に行を追加",
"deleteRow": "行の削除"
},
"align": {
"left": "左",
"center": "中央寄せ",
"right": "右"
},
"popover": {
"clearColor": "色をクリア",
"source": "参照元",
"widthPlaceholder": "% またはピクセル単位の値",
"columns": "列数",
"rows": "行数",
"width": "幅",
"height": "高さ"
}
},
"iframe": {
"name": "iframe ",
"description": "インターネットから任意のコンテンツを埋め込みます。一部のウェブサイトではアクセスが制限される場合があります",
"option": {
"embedUrl": {
"label": "埋め込みURL"
},
"allowFullScreen": {
"label": "フルスクリーンを許可する"
},
"allowTransparency": {
"label": "透明を許可"
},
"allowScrolling": {
"label": "スクロールを許可する"
},
"allowPayment": {
"label": "支払いを許可する"
},
"allowAutoPlay": {
"label": "自動再生を許可する"
},
"allowMicrophone": {
"label": "マイクを許可する"
},
"allowCamera": {
"label": "カメラを許可する"
},
"allowGeolocation": {
"label": "位置情報を許可する"
}
},
"error": {
"noBrowerSupport": "お使いのブラウザは iframe をサポートしていません。ブラウザを更新してください。"
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "エンティティID"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "表示名"
},
"automationId": {
"label": "オートメーションID"
}
}
},
"calendar": {
"name": "カレンダー",
"option": {
"releaseType": {
"label": "ラダーリリースタイプ"
}
}
},
"weather": {
"name": "天気",
"description": "設定した場所の現在の天気情報を表示します。",
"option": {
"location": {
"label": "天候の場所"
}
},
"kind": {
"clear": "クリア",
"mainlyClear": "主なクリア事項",
"fog": "霧",
"drizzle": "小雨",
"freezingDrizzle": "雨氷",
"rain": "雨",
"freezingRain": "雨氷",
"snowFall": "降雪",
"snowGrains": "霧雪",
"rainShowers": "にわか雨",
"snowShowers": "スノーシャワー",
"thunderstorm": "サンダーストーム",
"thunderstormWithHail": "雹を伴う雷雨",
"unknown": "不明"
}
},
"indexerManager": {
"name": "インデックス・マネージャーのステータス",
"title": "インデクサーマネージャー",
"testAll": "すべてのテスト"
},
"healthMonitoring": {
"name": "システムヘルスモニタリング",
"description": "システムの健全性とステータスを示す情報を表示します。",
"option": {
"fahrenheit": {
"label": "CPU温度華氏"
},
"cpu": {
"label": "CPU 情報を表示"
},
"memory": {
"label": "メモリー情報を表示"
},
"fileSystem": {
"label": "ファイルシステム情報を表示"
}
},
"popover": {
"available": "利用可能"
}
},
"common": {
"location": {
"search": "検索",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "不明"
}
}
}
},
"video": {
"name": "ビデオストリーム",
"description": "カメラやウェブサイトからのビデオストリームやビデオを埋め込む",
"option": {
"feedUrl": {
"label": "フィードURL"
},
"hasAutoPlay": {
"label": "オートプレイ"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "追加日"
},
"downSpeed": {
"columnTitle": "ダウンロード",
"detailsTitle": "ダウンロード速度"
},
"integration": {
"columnTitle": "統合化"
},
"progress": {
"columnTitle": "進捗状況"
},
"ratio": {
"columnTitle": "比率"
},
"state": {
"columnTitle": "状態"
},
"upSpeed": {
"columnTitle": "アップロード"
}
},
"states": {
"downloading": "ダウンロード中",
"queued": "処理待ち",
"paused": "ポーズ",
"completed": "完了",
"unknown": "不明"
}
},
"mediaRequests-requestList": {
"description": "OverseerrまたはJellyseerrからの全てのメディアリクエストのリストを見る",
"option": {
"linksTargetNewTab": {
"label": "リンクを新しいタブで開く"
}
},
"availability": {
"unknown": "不明",
"partiallyAvailable": "一部",
"available": "利用可能"
}
},
"mediaRequests-requestStats": {
"description": "メディア・リクエストに関する統計",
"titles": {
"stats": {
"main": "メディア統計",
"approved": "すでに承認済み",
"pending": "承認待ち",
"tv": "テレビのリクエスト",
"movie": "映画のリクエスト",
"total": "合計"
},
"users": {
"main": "トップユーザー"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "アプリ"
},
"screenSize": {
"option": {
"sm": "小",
"md": "中",
"lg": "大"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "背景画像の添付ファイル"
},
"backgroundImageSize": {
"label": "背景画像サイズ"
},
"primaryColor": {
"label": "原色"
},
"secondaryColor": {
"label": "セカンダリーカラー"
},
"customCss": {
"description": "さらに、CSS を使用してダッシュボードをカスタマイズします。経験豊富なユーザーにのみお勧めします。"
},
"name": {
"label": "名称"
},
"isPublic": {
"label": "公開"
}
},
"setting": {
"section": {
"general": {
"title": "一般"
},
"layout": {
"title": "レイアウト"
},
"background": {
"title": "背景"
},
"access": {
"permission": {
"item": {
"view": {
"label": "ボードを見る"
}
}
}
},
"dangerZone": {
"title": "危険な操作",
"action": {
"delete": {
"confirm": {
"title": "ボードの削除"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "ホーム",
"boards": "ボード",
"apps": "アプリ",
"users": {
"label": "ユーザー",
"items": {
"manage": "管理",
"invites": "招待"
}
},
"tools": {
"label": "ツール",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "設定",
"help": {
"label": "ヘルプ",
"items": {
"documentation": "ドキュメンテーション",
"discord": "コミュニティ・ディスコード"
}
},
"about": "About"
}
},
"page": {
"home": {
"statistic": {
"board": "ボード",
"user": "ユーザー",
"invite": "招待",
"app": "アプリ"
},
"statisticLabel": {
"boards": "ボード"
}
},
"board": {
"title": "ボード",
"action": {
"settings": {
"label": "設定"
},
"setHomeBoard": {
"badge": {
"label": "ホーム"
}
},
"delete": {
"label": "永久削除",
"confirm": {
"title": "ボードの削除"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "名称"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "一般",
"item": {
"firstDayOfWeek": "週の初日",
"accessibility": "アクセシビリティ"
}
},
"security": {
"title": "セキュリティ"
},
"board": {
"title": "ボード"
}
},
"list": {
"metaTitle": "ユーザー管理",
"title": "ユーザー"
},
"create": {
"metaTitle": "ユーザー作成",
"step": {
"security": {
"label": "セキュリティ"
}
}
},
"invite": {
"title": "ユーザー招待の管理",
"action": {
"new": {
"description": "有効期限が過ぎると、招待は無効となり、招待を受けた人はアカウントを作成できなくなります。"
},
"copy": {
"link": "招待リンク"
},
"delete": {
"title": "招待の削除",
"description": "この招待状を削除してもよろしいですか?このリンクを持つユーザーは、そのリンクを使用してアカウントを作成できなくなります。"
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "クリエイター"
},
"expirationDate": {
"label": "有効期限"
},
"token": {
"label": "トークン"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "一般"
}
}
},
"settings": {
"title": "設定"
},
"tool": {
"tasks": {
"status": {
"running": "実行中",
"error": "エラー"
},
"job": {
"mediaServer": {
"label": "メディアサーバー"
},
"mediaRequests": {
"label": "メディア・リクエスト"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "ドキュメンテーション"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "コンテナ",
"field": {
"name": {
"label": "名称"
},
"state": {
"label": "状態",
"option": {
"created": "作成",
"running": "実行中",
"paused": "ポーズ",
"restarting": "再起動中",
"removing": "削除中"
}
},
"containerImage": {
"label": "画像"
},
"ports": {
"label": "ポート"
}
},
"action": {
"start": {
"label": "開始"
},
"stop": {
"label": "停止"
},
"restart": {
"label": "再起動"
},
"remove": {
"label": "削除"
}
}
},
"permission": {
"tab": {
"user": "ユーザー"
},
"field": {
"user": {
"label": "ユーザー"
}
}
},
"navigationStructure": {
"manage": {
"label": "管理",
"boards": {
"label": "ボード"
},
"integrations": {
"edit": {
"label": "編集"
}
},
"search-engines": {
"edit": {
"label": "編集"
}
},
"apps": {
"label": "アプリ",
"edit": {
"label": "編集"
}
},
"users": {
"label": "ユーザー",
"create": {
"label": "作成"
},
"general": "一般",
"security": "セキュリティ",
"board": "ボード",
"invites": {
"label": "招待"
}
},
"tools": {
"label": "ツール",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "設定"
},
"about": {
"label": "About"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "アプリ"
},
"board": {
"title": "ボード"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "トレント"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "ヘルプ",
"option": {
"documentation": {
"label": "ドキュメンテーション"
},
"discord": {
"label": "コミュニティ・ディスコード"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "ユーザー管理"
},
"about": {
"label": "About"
},
"preferences": {
"label": "あなたの好み"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "ユーザー"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "名称"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "사용자",
"name": "사용자",
"field": {
"email": {
"label": "이메일"
},
"username": {
"label": "사용자 이름"
},
"password": {
"label": "비밀번호",
"requirement": {
"lowercase": "소문자 포함",
"uppercase": "대문자 포함",
"number": "번호 포함"
}
},
"passwordConfirm": {
"label": "비밀번호 확인"
}
},
"action": {
"login": {
"label": "로그인"
},
"register": {
"label": "계정 만들기",
"notification": {
"success": {
"title": "계정 생성"
}
}
},
"create": "사용자 만들기"
}
},
"group": {
"field": {
"name": "이름"
},
"permission": {
"admin": {
"title": ""
},
"board": {
"title": "보드"
}
}
},
"app": {
"page": {
"list": {
"title": "앱"
}
},
"field": {
"name": {
"label": "이름"
}
}
},
"integration": {
"field": {
"name": {
"label": "이름"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "잘못된 URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "사용자 이름"
},
"password": {
"label": "비밀번호",
"newLabel": ""
}
}
}
},
"media": {
"field": {
"name": "이름",
"size": "크기",
"creator": "크리에이터"
}
},
"common": {
"error": "오류",
"action": {
"add": "추가",
"apply": "",
"create": "만들기",
"edit": "수정",
"insert": "",
"remove": "제거",
"save": "저장",
"saveChanges": "변경 사항 저장",
"cancel": "취소",
"delete": "삭제",
"confirm": "확인",
"previous": "이전",
"next": "다음",
"tryAgain": "다시 시도"
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "기본 설정",
"login": "로그인"
}
},
"dangerZone": "위험한 설정",
"noResults": "결과를 찾을 수 없습니다.",
"zod": {
"errors": {
"default": "이 필드는 유효하지 않습니다.",
"required": "이 필드는 필수 입력 사항입니다.",
"string": {
"startsWith": "이 필드는 {startsWith}로 시작해야 합니다.",
"endsWith": "이 필드는 {endsWith}으로 끝나야 합니다.",
"includes": "이 필드에는 {includes}"
},
"tooSmall": {
"string": "이 필드는 {minimum} 자 이상이어야 합니다.",
"number": "이 필드는 {minimum}이상이어야 합니다."
},
"tooBig": {
"string": "이 필드는 최대 {maximum} 자까지만 입력할 수 있습니다.",
"number": "이 필드는 {maximum}보다 작거나 같아야 합니다."
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "이름"
}
},
"action": {
"moveUp": "위로 이동",
"moveDown": "아래로 이동"
},
"menu": {
"label": {
"changePosition": "위치 변경"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "설정"
}
},
"moveResize": {
"field": {
"width": {
"label": "너비"
},
"height": {
"label": "높이"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "새 탭에서 열기"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "레이아웃",
"option": {
"row": {
"label": "수평"
},
"column": {
"label": "세로"
}
}
}
},
"data": {
"adsBlockedToday": "",
"adsBlockedTodayPercentage": "",
"dnsQueriesToday": "오늘 쿼리"
}
},
"dnsHoleControls": {
"description": "대시보드에서 PiHole 또는 AdGuard를 제어하세요.",
"option": {
"layout": {
"label": "레이아웃",
"option": {
"row": {
"label": "수평"
},
"column": {
"label": "세로"
}
}
}
},
"controls": {
"set": "",
"enabled": "활성화됨",
"disabled": "장애인",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "현재 날짜와 시간을 표시합니다.",
"option": {
"timezone": {
"label": ""
}
}
},
"notebook": {
"name": "노트북",
"option": {
"showToolbar": {
"label": "마크다운 작성에 도움이 되는 도구 모음 표시"
},
"allowReadOnlyCheck": {
"label": ""
},
"content": {
"label": "노트북의 콘텐츠"
}
},
"controls": {
"bold": "",
"italic": "",
"strikethrough": "",
"underline": "",
"colorText": "",
"colorHighlight": "",
"code": "",
"clear": "",
"heading": "",
"align": "",
"blockquote": "",
"horizontalLine": "",
"bulletList": "",
"orderedList": "",
"checkList": "",
"increaseIndent": "",
"decreaseIndent": "",
"link": "",
"unlink": "",
"image": "",
"addTable": "",
"deleteTable": "",
"colorCell": "",
"mergeCell": "",
"addColumnLeft": "",
"addColumnRight": "",
"deleteColumn": "",
"addRowTop": "",
"addRowBelow": "",
"deleteRow": ""
},
"align": {
"left": "왼쪽",
"center": "",
"right": "오른쪽"
},
"popover": {
"clearColor": "",
"source": "",
"widthPlaceholder": "",
"columns": "",
"rows": "",
"width": "너비",
"height": "높이"
}
},
"iframe": {
"name": "iFrame",
"description": "인터넷에서 콘텐츠를 퍼옵니다. 일부 웹사이트는 액세스를 제한할 수 있습니다.",
"option": {
"embedUrl": {
"label": "임베드 URL"
},
"allowFullScreen": {
"label": "전체 화면 허용"
},
"allowTransparency": {
"label": "투명성 허용"
},
"allowScrolling": {
"label": "스크롤 허용"
},
"allowPayment": {
"label": "결제 허용"
},
"allowAutoPlay": {
"label": "자동 재생 허용"
},
"allowMicrophone": {
"label": "마이크 허용"
},
"allowCamera": {
"label": "카메라 허용"
},
"allowGeolocation": {
"label": "지리적 위치 허용"
}
},
"error": {
"noBrowerSupport": "브라우저가 iframe을 지원하지 않습니다. 브라우저를 업데이트하세요."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": ""
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": ""
},
"automationId": {
"label": ""
}
}
},
"calendar": {
"name": "캘린더",
"option": {
"releaseType": {
"label": "레이더 릴리스 유형"
}
}
},
"weather": {
"name": "날씨",
"description": "설정한 위치의 현재 날씨 정보를 표시합니다.",
"option": {
"location": {
"label": "날씨 위치"
}
},
"kind": {
"clear": "맑음",
"mainlyClear": "대체로 맑음",
"fog": "안개",
"drizzle": "이슬비",
"freezingDrizzle": "어는 이슬비",
"rain": "비",
"freezingRain": "어는 비",
"snowFall": "눈",
"snowGrains": "쌀알눈",
"rainShowers": "소나기",
"snowShowers": "소낙눈",
"thunderstorm": "뇌우",
"thunderstormWithHail": "우박을 동반한 뇌우",
"unknown": "알 수 없음"
}
},
"indexerManager": {
"name": "",
"title": "",
"testAll": ""
},
"healthMonitoring": {
"name": "",
"description": "",
"option": {
"fahrenheit": {
"label": ""
},
"cpu": {
"label": ""
},
"memory": {
"label": ""
},
"fileSystem": {
"label": ""
}
},
"popover": {
"available": ""
}
},
"common": {
"location": {
"search": "검색",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "알 수 없음"
}
}
}
},
"video": {
"name": "비디오 스트림",
"description": "카메라 또는 웹사이트의 비디오 스트림 또는 비디오 임베드하기",
"option": {
"feedUrl": {
"label": "피드 URL"
},
"hasAutoPlay": {
"label": "자동 재생"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": ""
},
"downSpeed": {
"columnTitle": "다운로드",
"detailsTitle": "다운로드 속도"
},
"integration": {
"columnTitle": "통합"
},
"progress": {
"columnTitle": "진행률"
},
"ratio": {
"columnTitle": ""
},
"state": {
"columnTitle": "상태"
},
"upSpeed": {
"columnTitle": "업로드"
}
},
"states": {
"downloading": "",
"queued": "",
"paused": "일시 중지됨",
"completed": "완료됨",
"unknown": "알 수 없음"
}
},
"mediaRequests-requestList": {
"description": "오버서 또는 젤리서 인스턴스의 모든 미디어 요청 목록 보기",
"option": {
"linksTargetNewTab": {
"label": "새 탭에서 링크 열기"
}
},
"availability": {
"unknown": "알 수 없음",
"partiallyAvailable": "",
"available": ""
}
},
"mediaRequests-requestStats": {
"description": "미디어 요청에 대한 통계",
"titles": {
"stats": {
"main": "미디어 통계",
"approved": "이미 승인됨",
"pending": "승인 대기 중",
"tv": "TV 요청",
"movie": "영화 요청",
"total": "합계"
},
"users": {
"main": "상위 사용자"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "앱"
},
"screenSize": {
"option": {
"sm": "Small",
"md": "Medium",
"lg": "Large"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": ""
},
"backgroundImageSize": {
"label": ""
},
"primaryColor": {
"label": "기본 색상"
},
"secondaryColor": {
"label": "보조 색상"
},
"customCss": {
"description": "또한 숙련된 사용자에게만 권장되는 CSS를 사용하여 대시보드를 사용자 지정할 수 있습니다."
},
"name": {
"label": "이름"
},
"isPublic": {
"label": "공개"
}
},
"setting": {
"section": {
"general": {
"title": "일반"
},
"layout": {
"title": "레이아웃"
},
"background": {
"title": "배경"
},
"access": {
"permission": {
"item": {
"view": {
"label": "게시판 보기"
}
}
}
},
"dangerZone": {
"title": "위험한 설정",
"action": {
"delete": {
"confirm": {
"title": "게시판 삭제"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "홈",
"boards": "보드",
"apps": "앱",
"users": {
"label": "사용자",
"items": {
"manage": "관리",
"invites": "초대"
}
},
"tools": {
"label": "도구",
"items": {
"docker": "Docker",
"api": ""
}
},
"settings": "설정",
"help": {
"label": "도움말",
"items": {
"documentation": "문서",
"discord": "커뮤니티 불화"
}
},
"about": "정보"
}
},
"page": {
"home": {
"statistic": {
"board": "보드",
"user": "사용자",
"invite": "초대",
"app": "앱"
},
"statisticLabel": {
"boards": "보드"
}
},
"board": {
"title": "보드",
"action": {
"settings": {
"label": "설정"
},
"setHomeBoard": {
"badge": {
"label": "홈"
}
},
"delete": {
"label": "영구 삭제",
"confirm": {
"title": "게시판 삭제"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "이름"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "일반",
"item": {
"firstDayOfWeek": "요일별 요일",
"accessibility": "접근성"
}
},
"security": {
"title": ""
},
"board": {
"title": "보드"
}
},
"list": {
"metaTitle": "사용자 관리",
"title": "사용자"
},
"create": {
"metaTitle": "사용자 만들기",
"step": {
"security": {
"label": ""
}
}
},
"invite": {
"title": "사용자 초대 관리",
"action": {
"new": {
"description": "만료 후에는 초대가 더 이상 유효하지 않으며 초대를 받은 사람은 계정을 만들 수 없습니다."
},
"copy": {
"link": "초대 링크"
},
"delete": {
"title": "초대 삭제",
"description": "이 초대를 삭제하시겠습니까? 이 링크를 받은 사용자는 더 이상 해당 링크를 사용하여 계정을 만들 수 없습니다."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "크리에이터"
},
"expirationDate": {
"label": "만료 날짜"
},
"token": {
"label": "토큰"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "일반"
}
}
},
"settings": {
"title": "설정"
},
"tool": {
"tasks": {
"status": {
"running": "실행 중",
"error": "오류"
},
"job": {
"mediaServer": {
"label": "미디어 서버"
},
"mediaRequests": {
"label": "미디어 요청"
}
}
},
"api": {
"title": "",
"tab": {
"documentation": {
"label": "문서"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "이름"
},
"state": {
"label": "상태",
"option": {
"created": "생성됨",
"running": "실행 중",
"paused": "일시 중지됨",
"restarting": "다시 시작",
"removing": "제거"
}
},
"containerImage": {
"label": "이미지"
},
"ports": {
"label": "포트"
}
},
"action": {
"start": {
"label": "시작"
},
"stop": {
"label": "중지"
},
"restart": {
"label": "재시작"
},
"remove": {
"label": "제거"
}
}
},
"permission": {
"tab": {
"user": "사용자"
},
"field": {
"user": {
"label": "사용자"
}
}
},
"navigationStructure": {
"manage": {
"label": "관리",
"boards": {
"label": "보드"
},
"integrations": {
"edit": {
"label": "수정"
}
},
"search-engines": {
"edit": {
"label": "수정"
}
},
"apps": {
"label": "앱",
"edit": {
"label": "수정"
}
},
"users": {
"label": "사용자",
"create": {
"label": "만들기"
},
"general": "일반",
"security": "",
"board": "보드",
"invites": {
"label": "초대"
}
},
"tools": {
"label": "도구",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "설정"
},
"about": {
"label": "정보"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "앱"
},
"board": {
"title": "보드"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "토렌트"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "도움말",
"option": {
"documentation": {
"label": "문서"
},
"discord": {
"label": "커뮤니티 불화"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "사용자 관리"
},
"about": {
"label": "정보"
},
"preferences": {
"label": "기본 설정"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "사용자"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "이름"
}
}
}
}
}

View File

@@ -0,0 +1,907 @@
{
"user": {
"title": "Vartotojai",
"name": "Vartotojas",
"field": {
"email": {
"label": "El. paštas"
},
"username": {
"label": ""
},
"password": {
"label": "Slaptažodis",
"requirement": {}
},
"passwordConfirm": {
"label": "Patvirtinti slaptažodį"
}
},
"action": {
"login": {
"label": "Prisijungti"
},
"register": {
"label": "Sukurti paskyrą",
"notification": {
"success": {
"title": "Paskyra sukurta"
}
}
},
"create": "Sukurti vartotoją"
}
},
"group": {
"field": {
"name": "Pavadinimas"
},
"permission": {
"admin": {
"title": "Administratorius"
},
"board": {
"title": "Lentos"
}
}
},
"app": {
"page": {
"list": {
"title": "Programėlės"
}
},
"field": {
"name": {
"label": "Pavadinimas"
}
}
},
"integration": {
"field": {
"name": {
"label": "Pavadinimas"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Klaidingas URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": ""
},
"password": {
"label": "Slaptažodis",
"newLabel": "Naujas slaptažodis"
}
}
}
},
"media": {
"field": {
"name": "Pavadinimas",
"size": "",
"creator": "Kūrėjas"
}
},
"common": {
"error": "",
"action": {
"add": "",
"apply": "",
"create": "Sukurti",
"edit": "",
"insert": "",
"remove": "Pašalinti",
"save": "",
"saveChanges": "Išsaugoti pakeitimus",
"cancel": "Atšaukti",
"delete": "",
"confirm": "",
"previous": "",
"next": "",
"tryAgain": ""
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "",
"login": "Prisijungti"
}
},
"dangerZone": "",
"noResults": "Rezultatų nerasta",
"zod": {
"errors": {
"default": "",
"required": "Šis laukelis yra privalomas",
"string": {
"startsWith": "",
"endsWith": "",
"includes": ""
},
"tooSmall": {
"string": "",
"number": ""
},
"tooBig": {
"string": "",
"number": ""
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Pavadinimas"
}
},
"action": {
"moveUp": "Pakelti aukštyn",
"moveDown": "Perkelti žemyn"
},
"menu": {
"label": {
"changePosition": ""
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Nustatymai"
}
},
"moveResize": {
"field": {
"width": {
"label": "Plotis"
},
"height": {
"label": "Aukštis"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Atidaryti naujame skirtuke"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "",
"option": {
"row": {
"label": "Horizontalus"
},
"column": {
"label": "Vertikalus"
}
}
}
},
"data": {
"adsBlockedToday": "Šiandien užblokuota",
"adsBlockedTodayPercentage": "Šiandien užblokuota",
"dnsQueriesToday": "Užklausos šiandien"
}
},
"dnsHoleControls": {
"description": "Valdykite PiHole arba AdGuard iš savo prietaisų skydelio",
"option": {
"layout": {
"label": "",
"option": {
"row": {
"label": "Horizontalus"
},
"column": {
"label": "Vertikalus"
}
}
}
},
"controls": {
"set": "",
"enabled": "",
"disabled": "",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "Rodo dabartinę datą ir laiką.",
"option": {
"timezone": {
"label": "Laiko juosta"
}
}
},
"notebook": {
"name": "Užrašai",
"option": {
"showToolbar": {
"label": "Rodyti įrankių juostą, padedančią rašyti žymėjimą"
},
"allowReadOnlyCheck": {
"label": "Leidimas tikrinti tik skaitymo režimu"
},
"content": {
"label": "Užrašų knygelės turinys"
}
},
"controls": {
"bold": "Paryškintas",
"italic": "Pasviręs",
"strikethrough": "Perbrauktas",
"underline": "Pabrauktas",
"colorText": "Spalvotas tekstas",
"colorHighlight": "Spalvotas paryškintas tekstas",
"code": "Kodas",
"clear": "Išvalyti formatavimą",
"heading": "Antraštė {level}",
"align": "Teksto lygiavimas: {position}",
"blockquote": "Kabutės",
"horizontalLine": "Horizontali linija",
"bulletList": "Suženklintasis sąrašas",
"orderedList": "Surikiuotas sąrašas",
"checkList": "Sąrašas",
"increaseIndent": "Padidinti įtrauką",
"decreaseIndent": "Sumažinti įtrauką",
"link": "Nuoroda",
"unlink": "Pašalinti nuorodą",
"image": "Įterpti paveikslėlį",
"addTable": "Pridėti lentelę",
"deleteTable": "Ištrinti lentelę",
"colorCell": "Spalva",
"mergeCell": "Perjungti cell sujungimą",
"addColumnLeft": "Pridėti stulpelį prieš",
"addColumnRight": "Pridėti stulpelį po",
"deleteColumn": "Naikinti stulpelį",
"addRowTop": "Pridėti eilutę prieš",
"addRowBelow": "Pridėti eilutę po",
"deleteRow": "Naikinti eilutę"
},
"align": {
"left": "Kairėje",
"center": "",
"right": "Dešinėje"
},
"popover": {
"clearColor": "Pašalinti spalvą",
"source": "Šaltinis",
"widthPlaceholder": "Vertė % arba pikseliais",
"columns": "Stulpeliai",
"rows": "Eilutės",
"width": "Plotis",
"height": "Aukštis"
}
},
"iframe": {
"name": "iFrame",
"description": "Įterpkite bet kokį turinį iš interneto. Kai kuriose svetainėse prieiga gali būti ribojama.",
"option": {
"embedUrl": {
"label": "Įterpimo URL"
},
"allowFullScreen": {
"label": "Leisti per visą ekraną"
},
"allowTransparency": {
"label": "Suteikti skaidrumo"
},
"allowScrolling": {
"label": "Leisti slinkti"
},
"allowPayment": {
"label": "Leisti mokėti"
},
"allowAutoPlay": {
"label": "Leisti automatinį paleidimą"
},
"allowMicrophone": {
"label": "Įgalinti mikrofoną"
},
"allowCamera": {
"label": "Leisti kamerą"
},
"allowGeolocation": {
"label": "Leisti nustatyti geografinę buvimo vietą"
}
},
"error": {
"noBrowerSupport": "Jūsų naršyklė nepalaiko iframe. Atnaujinkite savo naršyklę."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Subjekto ID"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Rodomas vardas"
},
"automationId": {
"label": "Automatizavimo ID"
}
}
},
"calendar": {
"name": "Kalendorius",
"option": {
"releaseType": {
"label": "\"Radarr\" išleidimo tipas"
}
}
},
"weather": {
"name": "",
"description": "",
"option": {
"location": {
"label": ""
}
},
"kind": {
"clear": "",
"mainlyClear": "",
"fog": "",
"drizzle": "",
"freezingDrizzle": "",
"rain": "",
"freezingRain": "",
"snowFall": "",
"snowGrains": "",
"rainShowers": "",
"snowShowers": "",
"thunderstorm": "",
"thunderstormWithHail": "",
"unknown": "Nežinoma"
}
},
"indexerManager": {
"name": "Indeksavimo tvarkytuvo būsena",
"title": "Indeksavimo tvarkyklė",
"testAll": "Išbandyk viską"
},
"healthMonitoring": {
"name": "Sistemos būklės stebėjimas",
"description": "",
"option": {
"fahrenheit": {
"label": ""
},
"cpu": {
"label": ""
},
"memory": {
"label": ""
},
"fileSystem": {
"label": ""
}
},
"popover": {
"available": "Galima"
}
},
"common": {
"location": {
"search": "Ieškoti",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Nežinoma"
}
}
}
},
"video": {
"name": "",
"description": "",
"option": {
"feedUrl": {
"label": ""
},
"hasAutoPlay": {
"label": ""
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": ""
},
"downSpeed": {
"columnTitle": "Žemyn",
"detailsTitle": "Atsisiuntimo greitis"
},
"integration": {
"columnTitle": "Integracija"
},
"progress": {
"columnTitle": ""
},
"ratio": {
"columnTitle": ""
},
"state": {
"columnTitle": "Būsena"
},
"upSpeed": {
"columnTitle": "Aukštyn"
}
},
"states": {
"downloading": "",
"queued": "",
"paused": "",
"completed": "",
"unknown": "Nežinoma"
}
},
"mediaRequests-requestList": {
"description": "Peržiūrėkite visų medijų užklausų iš \"Overseerr\" arba \"Jellyseerr\" sąrašą",
"option": {
"linksTargetNewTab": {
"label": "Atidaryti naujame skirtuke"
}
},
"availability": {
"unknown": "Nežinoma",
"partiallyAvailable": "Dalis",
"available": "Galima"
}
},
"mediaRequests-requestStats": {
"description": "Statistikos apie jūsų medijų užklausas",
"titles": {
"stats": {
"main": "Medijų statistikos",
"approved": "Jau patvirtinta",
"pending": "Laukia patvirtinimo",
"tv": "TV užklausos",
"movie": "Filmų užklausos",
"total": "Iš viso"
},
"users": {
"main": "Top vartotojai"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Programėlės"
},
"screenSize": {
"option": {
"sm": "Mažas",
"md": "Vidutinis",
"lg": "Didelis"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": ""
},
"backgroundImageSize": {
"label": ""
},
"primaryColor": {
"label": "Pagrindinė spalva"
},
"secondaryColor": {
"label": "Antrinė spalva"
},
"customCss": {
"description": ""
},
"name": {
"label": "Pavadinimas"
},
"isPublic": {
"label": "Vieša"
}
},
"setting": {
"section": {
"general": {
"title": "Bendras"
},
"layout": {
"title": ""
},
"background": {
"title": ""
},
"access": {
"permission": {
"item": {
"view": {
"label": "Žiūrėti lentą"
}
}
}
},
"dangerZone": {
"title": "",
"action": {
"delete": {
"confirm": {
"title": "Ištrinti lentą"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Pagrindinis",
"boards": "Lentos",
"apps": "Programėlės",
"users": {
"label": "Vartotojai",
"items": {
"manage": "Valdyti",
"invites": "Pakvietimai"
}
},
"tools": {
"label": "Įrankiai",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Nustatymai",
"help": {
"label": "Pagalba",
"items": {
"documentation": "Dokumentacija",
"discord": "Bendruomenės Discord"
}
},
"about": ""
}
},
"page": {
"home": {
"statistic": {
"board": "Lentos",
"user": "Vartotojai",
"invite": "Pakvietimai",
"app": "Programėlės"
},
"statisticLabel": {
"boards": "Lentos"
}
},
"board": {
"title": "Jūsų lentos",
"action": {
"settings": {
"label": "Nustatymai"
},
"setHomeBoard": {
"badge": {
"label": "Pagrindinis"
}
},
"delete": {
"label": "Ištrinti visam laikui",
"confirm": {
"title": "Ištrinti lentą"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Pavadinimas"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Bendras",
"item": {
"firstDayOfWeek": "",
"accessibility": ""
}
},
"security": {
"title": "Apsauga"
},
"board": {
"title": "Lentos"
}
},
"list": {
"metaTitle": "Tvarkyti vartotojus",
"title": "Vartotojai"
},
"create": {
"metaTitle": "Sukurti vartotoją",
"step": {
"security": {
"label": "Apsauga"
}
}
},
"invite": {
"title": "Tvarkyti naudotojų kvietimus",
"action": {
"new": {
"description": "Pasibaigus galiojimo laikui, kvietimas nebegalios ir kvietimo gavėjas negalės sukurti paskyros."
},
"copy": {
"link": "Kvietimo nuoroda"
},
"delete": {
"title": "Ištrinti kvietimą",
"description": "Ar tikrai norite ištrinti šį kvietimą? Naudotojai, turintys šią nuorodą, nebegalės sukurti paskyros naudodamiesi šia nuoroda."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Kūrėjas"
},
"expirationDate": {
"label": "Galiojimo pasibaigimo data"
},
"token": {
"label": "Žetonas"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Bendras"
}
}
},
"settings": {
"title": "Nustatymai"
},
"tool": {
"tasks": {
"status": {
"running": "Veikia",
"error": ""
},
"job": {
"mediaServer": {
"label": "Medijų serveris"
},
"mediaRequests": {
"label": "Medijų užklausos"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokumentacija"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "Pavadinimas"
},
"state": {
"label": "Būsena",
"option": {
"created": "Sukurta",
"running": "Veikia",
"paused": "",
"restarting": "Paleidžiama iš naujo",
"removing": "Trinamas"
}
},
"containerImage": {
"label": "Nuotrauka"
},
"ports": {
"label": "Prievadai"
}
},
"action": {
"start": {
"label": "Paleisti"
},
"stop": {
"label": "Sustabdyti"
},
"restart": {
"label": "Paleisti iš naujo"
},
"remove": {
"label": "Pašalinti"
}
}
},
"permission": {
"tab": {
"user": "Vartotojai"
},
"field": {
"user": {
"label": "Vartotojas"
}
}
},
"navigationStructure": {
"manage": {
"label": "Valdyti",
"boards": {
"label": "Lentos"
},
"integrations": {
"edit": {
"label": ""
}
},
"search-engines": {
"edit": {
"label": ""
}
},
"apps": {
"label": "Programėlės",
"edit": {
"label": ""
}
},
"users": {
"label": "Vartotojai",
"create": {
"label": "Sukurti"
},
"general": "Bendras",
"security": "Apsauga",
"board": "Lentos",
"invites": {
"label": "Pakvietimai"
}
},
"tools": {
"label": "Įrankiai",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Nustatymai"
},
"about": {
"label": ""
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Programėlės"
},
"board": {
"title": "Lentos"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrentai"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Pagalba",
"option": {
"documentation": {
"label": "Dokumentacija"
},
"discord": {
"label": "Bendruomenės Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Tvarkyti vartotojus"
},
"about": {
"label": ""
},
"preferences": {
"label": ""
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Vartotojai"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Pavadinimas"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Lietotāji",
"name": "Lietotājs",
"field": {
"email": {
"label": "E-pasts"
},
"username": {
"label": "Lietotājvārds"
},
"password": {
"label": "Parole",
"requirement": {
"lowercase": "Ietver mazo burtu",
"uppercase": "Ietver lielo burtu",
"number": "Ietver numuru"
}
},
"passwordConfirm": {
"label": "Apstipriniet paroli"
}
},
"action": {
"login": {
"label": "Pieslēgties"
},
"register": {
"label": "Izveidot kontu",
"notification": {
"success": {
"title": "Konts izveidots"
}
}
},
"create": "Izveidot lietotāju"
}
},
"group": {
"field": {
"name": "Nosaukums"
},
"permission": {
"admin": {
"title": "Administrators"
},
"board": {
"title": "Dēļi"
}
}
},
"app": {
"page": {
"list": {
"title": "Lietotnes"
}
},
"field": {
"name": {
"label": "Nosaukums"
}
}
},
"integration": {
"field": {
"name": {
"label": "Nosaukums"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Nederīgs URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Lietotājvārds"
},
"password": {
"label": "Parole",
"newLabel": "Jauna parole"
}
}
}
},
"media": {
"field": {
"name": "Nosaukums",
"size": "Lielums",
"creator": "Izveidotājs"
}
},
"common": {
"error": "Kļūda",
"action": {
"add": "Pievienot",
"apply": "Lietot",
"create": "Izveidot",
"edit": "Rediģēt",
"insert": "Ievietot",
"remove": "Noņemt",
"save": "Saglabāt",
"saveChanges": "Saglabāt izmaiņas",
"cancel": "Atcelt",
"delete": "Dzēst",
"confirm": "Apstipriniet",
"previous": "Iepriekšējais",
"next": "Nākamais",
"tryAgain": "Mēģiniet vēlreiz"
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "Jūsu iestatījumi",
"login": "Pieslēgties"
}
},
"dangerZone": "Bīstamā zona",
"noResults": "Nav atrasts neviens rezultāts",
"zod": {
"errors": {
"default": "Šis lauks nav derīgs",
"required": "Šis lauks ir obligāts",
"string": {
"startsWith": "Šim laukam jāsākas ar {startsWith}",
"endsWith": "Šim laukam jābeidzas ar {endsWith}",
"includes": "Šajā laukā jāiekļauj {includes}"
},
"tooSmall": {
"string": "Šim laukam jābūt vismaz {minimum} rakstzīmju garam",
"number": "Šim laukam jābūt lielākam vai vienādam ar {minimum}"
},
"tooBig": {
"string": "Šim laukam jābūt ne garākam par {maximum} rakstzīmēm",
"number": "Šim laukam jābūt mazākam vai vienādam ar {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Nosaukums"
}
},
"action": {
"moveUp": "Virzīt augšup",
"moveDown": "Virzīt lejup"
},
"menu": {
"label": {
"changePosition": "Mainīt pozīciju"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Iestatījumi"
}
},
"moveResize": {
"field": {
"width": {
"label": "Platums"
},
"height": {
"label": "Augstums"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Atvērt jaunā cilnē"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Izkārtojums",
"option": {
"row": {
"label": "Horizontāli"
},
"column": {
"label": "Vertikāli"
}
}
}
},
"data": {
"adsBlockedToday": "Šodien bloķēti",
"adsBlockedTodayPercentage": "Šodien bloķēti",
"dnsQueriesToday": "Pieprasījumi šodien"
}
},
"dnsHoleControls": {
"description": "Vadiet PiHole vai AdGuard no sava informācijas paneļa",
"option": {
"layout": {
"label": "Izkārtojums",
"option": {
"row": {
"label": "Horizontāli"
},
"column": {
"label": "Vertikāli"
}
}
}
},
"controls": {
"set": "",
"enabled": "Iespējots",
"disabled": "Atspējots",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "Rāda pašreizējo datumu un laiku.",
"option": {
"timezone": {
"label": "Laika zona"
}
}
},
"notebook": {
"name": "Piezīmes",
"option": {
"showToolbar": {
"label": "Rādīt rīkjoslu, lai palīdzētu rakstīt markdown tekstu"
},
"allowReadOnlyCheck": {
"label": "Atļaut atzīmi lasīšanas režīmā"
},
"content": {
"label": "Piezīmju saturs"
}
},
"controls": {
"bold": "Treknraksts",
"italic": "Slīpraksts",
"strikethrough": "Pārsvītrojums",
"underline": "Pasvītrojums",
"colorText": "Krāsains teksts",
"colorHighlight": "Krāsains izcelts teksts",
"code": "Kods",
"clear": "Notīrīt formatējumu",
"heading": "Virsraksts {level}",
"align": "Teksta līdzināšana: {position}",
"blockquote": "Citāts",
"horizontalLine": "Horizontāla līnija",
"bulletList": "Aizzīmju saraksts",
"orderedList": "Numurēts saraksts",
"checkList": "Pārbaudes saraksts",
"increaseIndent": "Palielināt atkāpi",
"decreaseIndent": "Samazināt atkāpi",
"link": "Saite",
"unlink": "Noņemt saiti",
"image": "Iegult attēlu",
"addTable": "Pievienot tabulu",
"deleteTable": "Dzēst tabulu",
"colorCell": "Krāsaina šūna",
"mergeCell": "Pārslēgt šūnu apvienošanu",
"addColumnLeft": "Pievienot kolonnu pirms",
"addColumnRight": "Pievienot kolonnu pēc",
"deleteColumn": "Dzēst kolonnu",
"addRowTop": "Pievienot rindu pirms",
"addRowBelow": "Pievienot rindu pēc",
"deleteRow": "Dzēst rindu"
},
"align": {
"left": "Pa kreisi",
"center": "Centrā",
"right": "Pa labi"
},
"popover": {
"clearColor": "Notīrīt krāsu",
"source": "Avots",
"widthPlaceholder": "Vērtība % vai pikseļos",
"columns": "Kolonnas",
"rows": "Rindas",
"width": "Platums",
"height": "Augstums"
}
},
"iframe": {
"name": "iFrame",
"description": "Iegult jebkuru saturu no interneta. Dažas vietnes var ierobežot piekļuvi.",
"option": {
"embedUrl": {
"label": "Iegult URL"
},
"allowFullScreen": {
"label": "Atļaut pilnekrāna režīmu"
},
"allowTransparency": {
"label": "Atļaut caurspīdīgumu"
},
"allowScrolling": {
"label": "Atļaut ritināšanu"
},
"allowPayment": {
"label": "Atļaut maksājumus"
},
"allowAutoPlay": {
"label": "Atļaut automātisko atskaņošanu"
},
"allowMicrophone": {
"label": "Atļaut piekļuvi mikrofonam"
},
"allowCamera": {
"label": "Atļaut piekļuvi kamerai"
},
"allowGeolocation": {
"label": "Atļaut ģeogrāfiskās atrašanās vietas noteikšanu"
}
},
"error": {
"noBrowerSupport": "Jūsu pārlūkprogramma neatbalsta iframe. Lūdzu, atjauniniet pārlūkprogrammu."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Vienības ID"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Parādāmais nosaukums"
},
"automationId": {
"label": "Automatizācijas ID"
}
}
},
"calendar": {
"name": "Kalendārs",
"option": {
"releaseType": {
"label": "Radarr laiduma tips"
}
}
},
"weather": {
"name": "Laikapstākļi",
"description": "Rāda pašreizējo laikapstākļu informāciju par iestatīto atrašanās vietu.",
"option": {
"location": {
"label": "Laikapstākļu atrašānās vieta"
}
},
"kind": {
"clear": "Skaidrs",
"mainlyClear": "Galvenokārt skaidrs",
"fog": "Migla",
"drizzle": "Smidzinošs lietus",
"freezingDrizzle": "Smidzinošs ledus",
"rain": "Lietus",
"freezingRain": "Ledus lietus",
"snowFall": "Gāziensnidze",
"snowGrains": "Sniega graudi",
"rainShowers": "Lietusgāzes",
"snowShowers": "Sniegputenis",
"thunderstorm": "Pērkona negaiss",
"thunderstormWithHail": "Pērkona negaiss ar krusu",
"unknown": "Nezināms"
}
},
"indexerManager": {
"name": "Indeksētāja pārvaldnieka statuss",
"title": "Indexer pārvaldnieks",
"testAll": "Pārbaudīt visu"
},
"healthMonitoring": {
"name": "Sistēmas Stāvokļa Uzraudzība",
"description": "Tiek parādīta informācija par sistēmas(-u) stāvokli un stāvokli.",
"option": {
"fahrenheit": {
"label": "CPU temperatūra pēc Fārenheita"
},
"cpu": {
"label": "Rādīt CPU informāciju"
},
"memory": {
"label": "Rādīt atmiņas informāciju"
},
"fileSystem": {
"label": "Rādīt failu sistēmas informāciju"
}
},
"popover": {
"available": "Pieejams"
}
},
"common": {
"location": {
"search": "Meklēt",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Nezināms"
}
}
}
},
"video": {
"name": "Videostraume",
"description": "Ieguldīt videostraumi vai video no kameras vai tīmekļvietnes",
"option": {
"feedUrl": {
"label": "Plūsmas URL"
},
"hasAutoPlay": {
"label": "Automātiskā atskaņošana"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Pievienošanas datums"
},
"downSpeed": {
"columnTitle": "Lejupielāde",
"detailsTitle": "Lejupielādes Ātrums"
},
"integration": {
"columnTitle": "Integrācija"
},
"progress": {
"columnTitle": "Progress"
},
"ratio": {
"columnTitle": "Attiecība"
},
"state": {
"columnTitle": "Stāvoklis"
},
"upSpeed": {
"columnTitle": "Augšupielāde"
}
},
"states": {
"downloading": "Lejupielādē",
"queued": "",
"paused": "Apstādināts",
"completed": "Pabeigts",
"unknown": "Nezināms"
}
},
"mediaRequests-requestList": {
"description": "Skatiet sarakstu ar visiem multimediju pieprasījumiem no jūsu Overseerr vai Jellyseerr instances",
"option": {
"linksTargetNewTab": {
"label": "Atvērt saites jaunā cilnē"
}
},
"availability": {
"unknown": "Nezināms",
"partiallyAvailable": "Daļējs",
"available": "Pieejams"
}
},
"mediaRequests-requestStats": {
"description": "Statistika par jūsu mediju pieprasījumiem",
"titles": {
"stats": {
"main": "Mediju statistika",
"approved": "Jau apstiprināts",
"pending": "Nepabeigtie apstiprinājumi",
"tv": "TV pieprasījumi",
"movie": "Filmu pieprasījumi",
"total": "Kopā"
},
"users": {
"main": "Top Lietotāji"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Lietotnes"
},
"screenSize": {
"option": {
"sm": "Mazs",
"md": "Vidējs",
"lg": "Liels"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Fona attēla pielikums"
},
"backgroundImageSize": {
"label": "Fona attēla izmērs"
},
"primaryColor": {
"label": "Pamatkrāsa"
},
"secondaryColor": {
"label": "Sekundārā krāsa"
},
"customCss": {
"description": "Turklāt pielāgojiet paneli, izmantojot CSS, ieteicams tikai pieredzējušiem lietotājiem"
},
"name": {
"label": "Nosaukums"
},
"isPublic": {
"label": "Publisks"
}
},
"setting": {
"section": {
"general": {
"title": "Vispārīgi"
},
"layout": {
"title": "Izkārtojums"
},
"background": {
"title": "Fons"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Apskatīt dēli"
}
}
}
},
"dangerZone": {
"title": "Bīstamā zona",
"action": {
"delete": {
"confirm": {
"title": "Dzēst dēli"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Sākums",
"boards": "Dēļi",
"apps": "Lietotnes",
"users": {
"label": "Lietotāji",
"items": {
"manage": "Pārvaldīt",
"invites": "Uzaicinājumi"
}
},
"tools": {
"label": "Rīki",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Iestatījumi",
"help": {
"label": "Palīdzība",
"items": {
"documentation": "Dokumentācija",
"discord": "Kopienas Discord"
}
},
"about": "Par Programmu"
}
},
"page": {
"home": {
"statistic": {
"board": "Dēļi",
"user": "Lietotāji",
"invite": "Uzaicinājumi",
"app": "Lietotnes"
},
"statisticLabel": {
"boards": "Dēļi"
}
},
"board": {
"title": "Jūsu dēļi",
"action": {
"settings": {
"label": "Iestatījumi"
},
"setHomeBoard": {
"badge": {
"label": "Sākums"
}
},
"delete": {
"label": "Neatgriezeniski dzēst",
"confirm": {
"title": "Dzēst dēli"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Nosaukums"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Vispārīgi",
"item": {
"firstDayOfWeek": "Nedēļas pirmā diena",
"accessibility": "Piekļūstamība"
}
},
"security": {
"title": "Drošība"
},
"board": {
"title": "Dēļi"
}
},
"list": {
"metaTitle": "Pārvaldīt lietotājus",
"title": "Lietotāji"
},
"create": {
"metaTitle": "Izveidot lietotāju",
"step": {
"security": {
"label": "Drošība"
}
}
},
"invite": {
"title": "Lietotāju uzaicinājumu pārvaldīšana",
"action": {
"new": {
"description": "Pēc derīguma termiņa beigām uzaicinājums vairs nebūs derīgs, un uzaicinājuma saņēmējs nevarēs izveidot kontu."
},
"copy": {
"link": "Uzaicinājuma saite"
},
"delete": {
"title": "Dzēst uzaicinājumu",
"description": "Vai esat pārliecināts, ka vēlaties dzēst šo uzaicinājumu? Lietotāji ar vairs nevarēs izveidot kontu, izmantojot šo saiti."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Izveidotājs"
},
"expirationDate": {
"label": "Derīguma termiņš"
},
"token": {
"label": "Atslēga"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Vispārīgi"
}
}
},
"settings": {
"title": "Iestatījumi"
},
"tool": {
"tasks": {
"status": {
"running": "Darbojas",
"error": "Kļūda"
},
"job": {
"mediaServer": {
"label": "Multivides Serveris"
},
"mediaRequests": {
"label": "Multimediju pieprasījumi"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokumentācija"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "Nosaukums"
},
"state": {
"label": "Stāvoklis",
"option": {
"created": "Izveidots",
"running": "Darbojas",
"paused": "Apstādināts",
"restarting": "Restartējas",
"removing": "Noņemšana"
}
},
"containerImage": {
"label": "Attēls"
},
"ports": {
"label": "Ports"
}
},
"action": {
"start": {
"label": "Palaist"
},
"stop": {
"label": "Apstādināt"
},
"restart": {
"label": "Restartēt"
},
"remove": {
"label": "Noņemt"
}
}
},
"permission": {
"tab": {
"user": "Lietotāji"
},
"field": {
"user": {
"label": "Lietotājs"
}
}
},
"navigationStructure": {
"manage": {
"label": "Pārvaldīt",
"boards": {
"label": "Dēļi"
},
"integrations": {
"edit": {
"label": "Rediģēt"
}
},
"search-engines": {
"edit": {
"label": "Rediģēt"
}
},
"apps": {
"label": "Lietotnes",
"edit": {
"label": "Rediģēt"
}
},
"users": {
"label": "Lietotāji",
"create": {
"label": "Izveidot"
},
"general": "Vispārīgi",
"security": "Drošība",
"board": "Dēļi",
"invites": {
"label": "Uzaicinājumi"
}
},
"tools": {
"label": "Rīki",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Iestatījumi"
},
"about": {
"label": "Par Programmu"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Lietotnes"
},
"board": {
"title": "Dēļi"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torenti"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Palīdzība",
"option": {
"documentation": {
"label": "Dokumentācija"
},
"discord": {
"label": "Kopienas Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Pārvaldīt lietotājus"
},
"about": {
"label": "Par Programmu"
},
"preferences": {
"label": "Jūsu iestatījumi"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Lietotāji"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Nosaukums"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Gebruikers",
"name": "Gebruiker",
"field": {
"email": {
"label": "E-mail"
},
"username": {
"label": "Gebruikersnaam"
},
"password": {
"label": "Wachtwoord",
"requirement": {
"lowercase": "Inclusief kleine letter",
"uppercase": "Inclusief hoofdletter",
"number": "Inclusief aantal"
}
},
"passwordConfirm": {
"label": "Wachtwoord bevestigen"
}
},
"action": {
"login": {
"label": "Inloggen"
},
"register": {
"label": "Account aanmaken",
"notification": {
"success": {
"title": "Account aangemaakt"
}
}
},
"create": "Gebruiker aanmaken"
}
},
"group": {
"field": {
"name": "Naam"
},
"permission": {
"admin": {
"title": "Beheerder"
},
"board": {
"title": "Borden"
}
}
},
"app": {
"page": {
"list": {
"title": "Apps"
}
},
"field": {
"name": {
"label": "Naam"
}
}
},
"integration": {
"field": {
"name": {
"label": "Naam"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Ongeldige URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Gebruikersnaam"
},
"password": {
"label": "Wachtwoord",
"newLabel": "Nieuw wachtwoord"
}
}
}
},
"media": {
"field": {
"name": "Naam",
"size": "Grootte",
"creator": "Maker"
}
},
"common": {
"error": "Fout",
"action": {
"add": "Toevoegen",
"apply": "Toepassen",
"create": "Aanmaken",
"edit": "Wijzigen",
"insert": "Invoegen",
"remove": "Verwijderen",
"save": "Opslaan",
"saveChanges": "Wijzigingen opslaan",
"cancel": "Annuleren",
"delete": "Verwijderen",
"confirm": "Bevestigen",
"previous": "Vorige",
"next": "Volgende",
"tryAgain": "Probeer het opnieuw"
},
"information": {
"hours": "Uren",
"minutes": "Minuten"
},
"userAvatar": {
"menu": {
"preferences": "Jouw voorkeuren",
"login": "Inloggen"
}
},
"dangerZone": "Gevarenzone",
"noResults": "Geen resultaten gevonden",
"zod": {
"errors": {
"default": "Dit veld is ongeldig",
"required": "Dit veld is verplicht",
"string": {
"startsWith": "Dit veld moet beginnen met {startsWith}",
"endsWith": "Dit veld moet eindigen op {endsWith}",
"includes": "Dit veld moet {includes} bevatten."
},
"tooSmall": {
"string": "Dit veld moet minstens {minimum} tekens lang zijn",
"number": "Dit veld moet groter of gelijk zijn aan {minimum}"
},
"tooBig": {
"string": "Dit veld mag maximaal {maximum} tekens lang zijn",
"number": "Dit veld moet kleiner of gelijk zijn aan {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Naam"
}
},
"action": {
"moveUp": "Omhoog",
"moveDown": "Omlaag"
},
"menu": {
"label": {
"changePosition": "Positie wijzigen"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Instellingen"
}
},
"moveResize": {
"field": {
"width": {
"label": "Breedte"
},
"height": {
"label": "Hoogte"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Open in nieuw tabblad"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Indeling",
"option": {
"row": {
"label": "Horizontaal"
},
"column": {
"label": "Verticaal"
}
}
}
},
"data": {
"adsBlockedToday": "Vandaag geblokkeerd",
"adsBlockedTodayPercentage": "Vandaag geblokkeerd",
"dnsQueriesToday": "Queries vandaag"
}
},
"dnsHoleControls": {
"description": "Bedien PiHole of AdGuard vanaf je dashboard",
"option": {
"layout": {
"label": "Indeling",
"option": {
"row": {
"label": "Horizontaal"
},
"column": {
"label": "Verticaal"
}
}
}
},
"controls": {
"set": "Instellen",
"enabled": "Ingeschakeld",
"disabled": "Uitgeschakeld",
"hours": "Uren",
"minutes": "Minuten"
}
},
"clock": {
"description": "Toont de huidige datum en tijd.",
"option": {
"timezone": {
"label": "Tijdzone"
}
}
},
"notebook": {
"name": "Notitieboek",
"option": {
"showToolbar": {
"label": "Toon de werkbalk om je te helpen markdown te schrijven"
},
"allowReadOnlyCheck": {
"label": "Controle in alleen-lezen modus toestaan"
},
"content": {
"label": "De inhoud van het notitieboek"
}
},
"controls": {
"bold": "Vetgedrukt",
"italic": "Schuingedrukt",
"strikethrough": "Doorgestreept",
"underline": "Onderstreept",
"colorText": "Kleur tekst",
"colorHighlight": "Gekleurde tekst markeren",
"code": "Code",
"clear": "Opmaak wissen",
"heading": "Koptekst {level}",
"align": "Tekst uitlijnen: {position}",
"blockquote": "Blokquote",
"horizontalLine": "Horizontale lijn",
"bulletList": "Opsommingslijst",
"orderedList": "Geordende lijst",
"checkList": "Controlelijst",
"increaseIndent": "Inspringen vergroten",
"decreaseIndent": "Inspringen verminderen",
"link": "Link",
"unlink": "Link verwijderen",
"image": "Afbeelding insluiten",
"addTable": "Tabel toevoegen",
"deleteTable": "Tabel verwijderen",
"colorCell": "Kleur cel",
"mergeCell": "Cellen samenvoegen togglen",
"addColumnLeft": "Kolom toevoegen vóór",
"addColumnRight": "Kolom toevoegen ná",
"deleteColumn": "Kolom verwijderen",
"addRowTop": "Rij toevoegen vóór",
"addRowBelow": "Rij toevoegen ná",
"deleteRow": "Rij verwijderen"
},
"align": {
"left": "Links",
"center": "Centreren",
"right": "Rechts"
},
"popover": {
"clearColor": "Kleur wissen",
"source": "Bron",
"widthPlaceholder": "Waarde in % or pixels",
"columns": "Kolommen",
"rows": "Rijen",
"width": "Breedte",
"height": "Hoogte"
}
},
"iframe": {
"name": "iFrame",
"description": "Insluiten van alle inhoud van het internet. Sommige websites kunnen de toegang beperken.",
"option": {
"embedUrl": {
"label": "URL insluiten"
},
"allowFullScreen": {
"label": "Volledig scherm toestaan"
},
"allowTransparency": {
"label": "Transparantie toestaan"
},
"allowScrolling": {
"label": "Scrollen toestaan"
},
"allowPayment": {
"label": "Betaling toestaan"
},
"allowAutoPlay": {
"label": "Automatisch afspelen toestaan"
},
"allowMicrophone": {
"label": "Microfoon toestaan"
},
"allowCamera": {
"label": "Camera toestaan"
},
"allowGeolocation": {
"label": "Geolocatie toestaan"
}
},
"error": {
"noBrowerSupport": "Je browser ondersteunt geen iframes. Update je browser."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Entiteit-ID"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Weergavenaam"
},
"automationId": {
"label": "Automatiserings-ID"
}
}
},
"calendar": {
"name": "Kalender",
"option": {
"releaseType": {
"label": "Radarr release type"
}
}
},
"weather": {
"name": "Weer",
"description": "Toont de huidige weersinformatie van een ingestelde locatie.",
"option": {
"location": {
"label": "Weerslocatie"
}
},
"kind": {
"clear": "Helder",
"mainlyClear": "Overwegend helder",
"fog": "Mist",
"drizzle": "Motregen",
"freezingDrizzle": "IJzel",
"rain": "Regen",
"freezingRain": "Natte sneeuw",
"snowFall": "Sneeuwval",
"snowGrains": "Sneeuw",
"rainShowers": "Regenbuien",
"snowShowers": "Sneeuwbuien",
"thunderstorm": "Onweersbui",
"thunderstormWithHail": "Onweer met hagel",
"unknown": "Onbekend"
}
},
"indexerManager": {
"name": "Indexeer beheerder status",
"title": "Indexeer beheerder",
"testAll": "Alles testen"
},
"healthMonitoring": {
"name": "Systeem gezondheidsmonitoring",
"description": "Toont informatie over de gezondheid en status van je systeem(en).",
"option": {
"fahrenheit": {
"label": "CPU-temperatuur in fahrenheit"
},
"cpu": {
"label": "CPU-info weergeven"
},
"memory": {
"label": "Werkgeheugen info weergeven"
},
"fileSystem": {
"label": "Bestandssysteem info weergeven"
}
},
"popover": {
"available": "Beschikbaar"
}
},
"common": {
"location": {
"search": "Zoeken",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Onbekend"
}
}
}
},
"video": {
"name": "Video stream",
"description": "Een videostream of video van een camera of een website insluiten",
"option": {
"feedUrl": {
"label": "Feed URL"
},
"hasAutoPlay": {
"label": "Automatisch afspelen"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Datum toegevoegd"
},
"downSpeed": {
"columnTitle": "Down",
"detailsTitle": "Downloadsnelheid"
},
"integration": {
"columnTitle": "Integratie"
},
"progress": {
"columnTitle": "Voortgang"
},
"ratio": {
"columnTitle": "Verhouding"
},
"state": {
"columnTitle": "Status"
},
"upSpeed": {
"columnTitle": "Up"
}
},
"states": {
"downloading": "Bezig met downloaden",
"queued": "In wachtrij",
"paused": "Gepauzeerd",
"completed": "Voltooid",
"unknown": "Onbekend"
}
},
"mediaRequests-requestList": {
"description": "Bekijk een lijst met alle mediaverzoeken van je Overseerr of Jellyseerr instantie",
"option": {
"linksTargetNewTab": {
"label": "Links in nieuw tabblad openen"
}
},
"availability": {
"unknown": "Onbekend",
"partiallyAvailable": "Gedeeltelijk",
"available": "Beschikbaar"
}
},
"mediaRequests-requestStats": {
"description": "Statistieken over je mediaverzoeken",
"titles": {
"stats": {
"main": "Media statistieken",
"approved": "Reeds goedgekeurd",
"pending": "In afwachting van goedkeuring",
"tv": "TV verzoeken",
"movie": "Film verzoeken",
"total": "Totaal"
},
"users": {
"main": "Grootste gebruikers"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Apps"
},
"screenSize": {
"option": {
"sm": "Klein",
"md": "Middel",
"lg": "Groot"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Achtergrondafbeelding bijlage"
},
"backgroundImageSize": {
"label": "Achtergrondafbeelding grootte"
},
"primaryColor": {
"label": "Primaire kleur"
},
"secondaryColor": {
"label": "Secundaire kleur"
},
"customCss": {
"description": "Pas je dashboard verder aan met behulp van CSS, alleen aanbevolen voor ervaren gebruikers"
},
"name": {
"label": "Naam"
},
"isPublic": {
"label": "Openbaar"
}
},
"setting": {
"section": {
"general": {
"title": "Algemeen"
},
"layout": {
"title": "Indeling"
},
"background": {
"title": "Achtergrond"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Bord bekijken"
}
}
}
},
"dangerZone": {
"title": "Gevarenzone",
"action": {
"delete": {
"confirm": {
"title": "Bord verwijderen"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Home",
"boards": "Borden",
"apps": "Apps",
"users": {
"label": "Gebruikers",
"items": {
"manage": "Beheren",
"invites": "Uitnodigingen"
}
},
"tools": {
"label": "Gereedschappen",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Instellingen",
"help": {
"label": "Help",
"items": {
"documentation": "Documentatie",
"discord": "Community Discord"
}
},
"about": "Over"
}
},
"page": {
"home": {
"statistic": {
"board": "Borden",
"user": "Gebruikers",
"invite": "Uitnodigingen",
"app": "Apps"
},
"statisticLabel": {
"boards": "Borden"
}
},
"board": {
"title": "Jouw borden",
"action": {
"settings": {
"label": "Instellingen"
},
"setHomeBoard": {
"badge": {
"label": "Home"
}
},
"delete": {
"label": "Permanent verwijderen",
"confirm": {
"title": "Bord verwijderen"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Naam"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Algemeen",
"item": {
"firstDayOfWeek": "Eerste dag van de week",
"accessibility": "Toegankelijkheid"
}
},
"security": {
"title": "Beveiliging"
},
"board": {
"title": "Borden"
}
},
"list": {
"metaTitle": "Gebruikers beheren",
"title": "Gebruikers"
},
"create": {
"metaTitle": "Gebruiker aanmaken",
"step": {
"security": {
"label": "Beveiliging"
}
}
},
"invite": {
"title": "Gebruikersuitnodigingen beheren",
"action": {
"new": {
"description": "Na de vervaldatum is een uitnodiging niet langer geldig en kan de ontvanger van de uitnodiging geen account meer aanmaken."
},
"copy": {
"link": "Uitnodigingslink"
},
"delete": {
"title": "Uitnodiging verwijderen",
"description": "Weet je zeker dat je deze uitnodiging wilt verwijderen? Gebruikers met deze link kunnen niet langer een account aanmaken met deze link."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Maker"
},
"expirationDate": {
"label": "Vervaldatum"
},
"token": {
"label": "Penning"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Algemeen"
}
}
},
"settings": {
"title": "Instellingen"
},
"tool": {
"tasks": {
"status": {
"running": "Actief",
"error": "Fout"
},
"job": {
"mediaServer": {
"label": "Media server"
},
"mediaRequests": {
"label": "Mediaverzoeken"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Documentatie"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "Containers",
"field": {
"name": {
"label": "Naam"
},
"state": {
"label": "Status",
"option": {
"created": "Aangemaakt",
"running": "Actief",
"paused": "Gepauzeerd",
"restarting": "Bezig met herstarten",
"removing": "Bezig met verwijderen"
}
},
"containerImage": {
"label": "Afbeelding"
},
"ports": {
"label": "Poorten"
}
},
"action": {
"start": {
"label": "Start"
},
"stop": {
"label": "Stop"
},
"restart": {
"label": "Herstart"
},
"remove": {
"label": "Verwijderen"
}
}
},
"permission": {
"tab": {
"user": "Gebruikers"
},
"field": {
"user": {
"label": "Gebruiker"
}
}
},
"navigationStructure": {
"manage": {
"label": "Beheren",
"boards": {
"label": "Borden"
},
"integrations": {
"edit": {
"label": "Wijzigen"
}
},
"search-engines": {
"edit": {
"label": "Wijzigen"
}
},
"apps": {
"label": "Apps",
"edit": {
"label": "Wijzigen"
}
},
"users": {
"label": "Gebruikers",
"create": {
"label": "Aanmaken"
},
"general": "Algemeen",
"security": "Beveiliging",
"board": "Borden",
"invites": {
"label": "Uitnodigingen"
}
},
"tools": {
"label": "Gereedschappen",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Instellingen"
},
"about": {
"label": "Over"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Apps"
},
"board": {
"title": "Borden"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrents"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Help",
"option": {
"documentation": {
"label": "Documentatie"
},
"discord": {
"label": "Community Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Gebruikers beheren"
},
"about": {
"label": "Over"
},
"preferences": {
"label": "Jouw voorkeuren"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Gebruikers"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Naam"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Brukere",
"name": "Bruker",
"field": {
"email": {
"label": "E-post"
},
"username": {
"label": "Brukernavn"
},
"password": {
"label": "Passord",
"requirement": {
"lowercase": "Inkluderer liten bokstav",
"uppercase": "Inkluderer stor bokstav",
"number": "Inkluderer nummer"
}
},
"passwordConfirm": {
"label": "Bekreft passord"
}
},
"action": {
"login": {
"label": "Logg Inn"
},
"register": {
"label": "Opprett konto",
"notification": {
"success": {
"title": "Konto opprettet"
}
}
},
"create": "Opprett bruker"
}
},
"group": {
"field": {
"name": "Navn"
},
"permission": {
"admin": {
"title": "Administrator"
},
"board": {
"title": "Tavler"
}
}
},
"app": {
"page": {
"list": {
"title": "Apper"
}
},
"field": {
"name": {
"label": "Navn"
}
}
},
"integration": {
"field": {
"name": {
"label": "Navn"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Ugyldig URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Brukernavn"
},
"password": {
"label": "Passord",
"newLabel": "Nytt passord"
}
}
}
},
"media": {
"field": {
"name": "Navn",
"size": "Størrelse",
"creator": "Skaper"
}
},
"common": {
"error": "Feil",
"action": {
"add": "Legg til",
"apply": "Bruk",
"create": "Opprett",
"edit": "Rediger",
"insert": "Sett inn",
"remove": "Fjern",
"save": "Lagre",
"saveChanges": "Lagre endringer",
"cancel": "Avbryt",
"delete": "Slett",
"confirm": "Bekreft",
"previous": "Tidligere",
"next": "Neste",
"tryAgain": "Prøv igjen"
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "Dine innstillinger",
"login": "Logg Inn"
}
},
"dangerZone": "Faresonen",
"noResults": "Ingen resultater funnet",
"zod": {
"errors": {
"default": "Dette feltet er ugyldig",
"required": "Dette feltet er obligatorisk",
"string": {
"startsWith": "Dette feltet må starte med {startsWith}",
"endsWith": "Dette feltet må slutte med {endsWith}",
"includes": "Dette feltet må inneholde {includes}"
},
"tooSmall": {
"string": "Dette feltet må være på minst {minimum} tegn",
"number": "Dette feltet må være større enn eller lik {minimum}"
},
"tooBig": {
"string": "Dette feltet må være på maksimalt {maximum} tegn",
"number": "Dette feltet må være mindre enn eller lik {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Navn"
}
},
"action": {
"moveUp": "Flytte opp",
"moveDown": "Flytt ned"
},
"menu": {
"label": {
"changePosition": "Endre posisjon"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Innstillinger"
}
},
"moveResize": {
"field": {
"width": {
"label": "Bredde"
},
"height": {
"label": "Høyde"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Åpne i ny fane"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Oppsett",
"option": {
"row": {
"label": "Horisontal"
},
"column": {
"label": "Vertikal"
}
}
}
},
"data": {
"adsBlockedToday": "Blokkert i dag",
"adsBlockedTodayPercentage": "Blokkert i dag",
"dnsQueriesToday": "Spørringer i dag"
}
},
"dnsHoleControls": {
"description": "Kontroller PiHole eller AdGuard fra dashbordet",
"option": {
"layout": {
"label": "Oppsett",
"option": {
"row": {
"label": "Horisontal"
},
"column": {
"label": "Vertikal"
}
}
}
},
"controls": {
"set": "",
"enabled": "Aktivert",
"disabled": "Deaktivert",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "Viser gjeldende dato og klokkeslett.",
"option": {
"timezone": {
"label": "Tidssone"
}
}
},
"notebook": {
"name": "Notisbok",
"option": {
"showToolbar": {
"label": "Vis verktøylinjen for å hjelpe deg med å skrive markdown"
},
"allowReadOnlyCheck": {
"label": "Tillat sjekk i skrivebeskyttet modus"
},
"content": {
"label": "Innholdet i notatboken"
}
},
"controls": {
"bold": "Fet",
"italic": "Kursiv",
"strikethrough": "Gjennomstrek",
"underline": "Understrek",
"colorText": "Fargetekst",
"colorHighlight": "Farget uthevet tekst",
"code": "Kode",
"clear": "Fjern formatering",
"heading": "Overskrift {level}",
"align": "Juster tekst: {position}",
"blockquote": "Blokksitat",
"horizontalLine": "Horisontal linje",
"bulletList": "Punktliste",
"orderedList": "Sortert liste",
"checkList": "Sjekkliste",
"increaseIndent": "Øk innrykk",
"decreaseIndent": "Reduser innrykk",
"link": "Link",
"unlink": "Fjern lenke",
"image": "Bygg inn bilde",
"addTable": "Legg til tabell",
"deleteTable": "Slett tabell",
"colorCell": "Fargecelle",
"mergeCell": "Slå cellesammenslåing av/på",
"addColumnLeft": "Legg til kolonne før",
"addColumnRight": "Legg til kolonne etter",
"deleteColumn": "Slett kolonne",
"addRowTop": "Legg til rad før",
"addRowBelow": "Legg til rad etter",
"deleteRow": "Slett rad"
},
"align": {
"left": "Venstre",
"center": "Midtstilt",
"right": "Høyre"
},
"popover": {
"clearColor": "Fjern farge",
"source": "Kilde",
"widthPlaceholder": "Verdi i % eller piksler",
"columns": "Kolonner",
"rows": "Rader",
"width": "Bredde",
"height": "Høyde"
}
},
"iframe": {
"name": "iFrame",
"description": "Bygg inn innhold fra Internett. Noen nettsteder kan begrense adgang.",
"option": {
"embedUrl": {
"label": "Bygg inn URL"
},
"allowFullScreen": {
"label": "Tillat fullskjerm"
},
"allowTransparency": {
"label": "Tillat gjennomsiktighet"
},
"allowScrolling": {
"label": "Tillat skrolling"
},
"allowPayment": {
"label": "Tillat betaling"
},
"allowAutoPlay": {
"label": "Tillat automatisk avspilling"
},
"allowMicrophone": {
"label": "Tillat mikrofon"
},
"allowCamera": {
"label": "Tillat kamera"
},
"allowGeolocation": {
"label": "Tillat geolokalisering"
}
},
"error": {
"noBrowerSupport": "Nettleseren din støtter ikke iframes. Vennligst oppdater nettleseren din."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Enhets-ID"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Visningsnavn"
},
"automationId": {
"label": "Automatisering ID"
}
}
},
"calendar": {
"name": "Kalender",
"option": {
"releaseType": {
"label": "Radarr utgivelsestype"
}
}
},
"weather": {
"name": "Vær",
"description": "Viser gjeldende værinformasjon for en angitt plassering.",
"option": {
"location": {
"label": "Vær plassering"
}
},
"kind": {
"clear": "Tøm",
"mainlyClear": "Klar himmel",
"fog": "Tåke",
"drizzle": "Yr",
"freezingDrizzle": "Underkjølt yr",
"rain": "Regn",
"freezingRain": "Underkjølt regn",
"snowFall": "Snø",
"snowGrains": "Snø korn",
"rainShowers": "Regnbyger",
"snowShowers": "Snøbyger",
"thunderstorm": "Tordenvær",
"thunderstormWithHail": "Tordenvær med hagl",
"unknown": "Ukjent"
}
},
"indexerManager": {
"name": "Indekserings-behandler status",
"title": "Indekserings-behandler",
"testAll": "Test alle"
},
"healthMonitoring": {
"name": "Systemhelseovervåking",
"description": "Viser informasjon som viser helsen og statusen til systemet(e).",
"option": {
"fahrenheit": {
"label": "CPU-temp i Fahrenheit"
},
"cpu": {
"label": "Vis CPU-info"
},
"memory": {
"label": "Vis minneinfo"
},
"fileSystem": {
"label": "Vis filsysteminfo"
}
},
"popover": {
"available": "Tilgjengelig"
}
},
"common": {
"location": {
"search": "Søk",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Ukjent"
}
}
}
},
"video": {
"name": "Videostrømming",
"description": "Bygg inn en videostrøm eller video fra et kamera eller et nettsted",
"option": {
"feedUrl": {
"label": "Feed URL"
},
"hasAutoPlay": {
"label": "Autospill"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Dato lagt til"
},
"downSpeed": {
"columnTitle": "Ned",
"detailsTitle": "Nedlastings- hastighet"
},
"integration": {
"columnTitle": "Integrasjon"
},
"progress": {
"columnTitle": "Fremgang"
},
"ratio": {
"columnTitle": "Forhold"
},
"state": {
"columnTitle": "Status"
},
"upSpeed": {
"columnTitle": "Opp"
}
},
"states": {
"downloading": "Laster ned",
"queued": "",
"paused": "Pauset",
"completed": "Fullført",
"unknown": "Ukjent"
}
},
"mediaRequests-requestList": {
"description": "Se en liste over alle medieforespørsler fra din Overseerr eller Jellyseerr instans",
"option": {
"linksTargetNewTab": {
"label": "Åpne lenker i ny fane"
}
},
"availability": {
"unknown": "Ukjent",
"partiallyAvailable": "Delvis",
"available": "Tilgjengelig"
}
},
"mediaRequests-requestStats": {
"description": "Statistikk om dine medieforespørsler",
"titles": {
"stats": {
"main": "Media statistikk",
"approved": "Allerede godkjent",
"pending": "Venter på godkjenning",
"tv": "TV forespørsler",
"movie": "Film forespørsler",
"total": "Totalt"
},
"users": {
"main": "Topp brukere"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Apper"
},
"screenSize": {
"option": {
"sm": "Liten",
"md": "Medium",
"lg": "Stor"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Bakgrunnsbildevedlegg"
},
"backgroundImageSize": {
"label": "Størrelse på bakgrunnsbilde"
},
"primaryColor": {
"label": "Primærfarge"
},
"secondaryColor": {
"label": "Sekundærfarge"
},
"customCss": {
"description": "Videre kan du tilpasse dashbordet ved hjelp av CSS, dette er bare anbefalt for erfarne brukere"
},
"name": {
"label": "Navn"
},
"isPublic": {
"label": "Offentlig"
}
},
"setting": {
"section": {
"general": {
"title": "Generelt"
},
"layout": {
"title": "Oppsett"
},
"background": {
"title": "Bakgrunn"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Vis tavle"
}
}
}
},
"dangerZone": {
"title": "Faresonen",
"action": {
"delete": {
"confirm": {
"title": "Slett tavle"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Hjem",
"boards": "Tavler",
"apps": "Apper",
"users": {
"label": "Brukere",
"items": {
"manage": "Administrer",
"invites": "Invitasjoner"
}
},
"tools": {
"label": "Verktøy",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Innstillinger",
"help": {
"label": "Hjelp",
"items": {
"documentation": "Dokumentasjon",
"discord": "Discord"
}
},
"about": "Info"
}
},
"page": {
"home": {
"statistic": {
"board": "Tavler",
"user": "Brukere",
"invite": "Invitasjoner",
"app": "Apper"
},
"statisticLabel": {
"boards": "Tavler"
}
},
"board": {
"title": "Dine tavler",
"action": {
"settings": {
"label": "Innstillinger"
},
"setHomeBoard": {
"badge": {
"label": "Hjem"
}
},
"delete": {
"label": "Slett permanent",
"confirm": {
"title": "Slett tavle"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Navn"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Generelt",
"item": {
"firstDayOfWeek": "Første dag i uken",
"accessibility": "Hjelpemidler"
}
},
"security": {
"title": "Sikkerhet"
},
"board": {
"title": "Tavler"
}
},
"list": {
"metaTitle": "Administrer brukere",
"title": "Brukere"
},
"create": {
"metaTitle": "Opprett bruker",
"step": {
"security": {
"label": "Sikkerhet"
}
}
},
"invite": {
"title": "Administrer brukerinvitasjoner",
"action": {
"new": {
"description": "Etter utløpet vil en invitasjon ikke lenger være gyldig, og mottakeren av invitasjonen vil ikke kunne opprette en konto."
},
"copy": {
"link": "Invitasjonslenke"
},
"delete": {
"title": "Slett invitasjon",
"description": "Er du sikker på at du vil slette denne invitasjonen? Brukere med denne koblingen vil ikke lenger kunne opprette en konto ved å bruke den linken."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Skaper"
},
"expirationDate": {
"label": "Utløpsdato"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Generelt"
}
}
},
"settings": {
"title": "Innstillinger"
},
"tool": {
"tasks": {
"status": {
"running": "Kjører",
"error": "Feil"
},
"job": {
"mediaServer": {
"label": "Medieserver"
},
"mediaRequests": {
"label": "Media forespørsler"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokumentasjon"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "Navn"
},
"state": {
"label": "Status",
"option": {
"created": "Opprettet",
"running": "Kjører",
"paused": "Pauset",
"restarting": "Starter på nytt",
"removing": "Fjerner"
}
},
"containerImage": {
"label": "Image"
},
"ports": {
"label": "Porter"
}
},
"action": {
"start": {
"label": "Start"
},
"stop": {
"label": "Stopp"
},
"restart": {
"label": "Omstart"
},
"remove": {
"label": "Fjern"
}
}
},
"permission": {
"tab": {
"user": "Brukere"
},
"field": {
"user": {
"label": "Bruker"
}
}
},
"navigationStructure": {
"manage": {
"label": "Administrer",
"boards": {
"label": "Tavler"
},
"integrations": {
"edit": {
"label": "Rediger"
}
},
"search-engines": {
"edit": {
"label": "Rediger"
}
},
"apps": {
"label": "Apper",
"edit": {
"label": "Rediger"
}
},
"users": {
"label": "Brukere",
"create": {
"label": "Opprett"
},
"general": "Generelt",
"security": "Sikkerhet",
"board": "Tavler",
"invites": {
"label": "Invitasjoner"
}
},
"tools": {
"label": "Verktøy",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Innstillinger"
},
"about": {
"label": "Info"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Apper"
},
"board": {
"title": "Tavler"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrenter"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Hjelp",
"option": {
"documentation": {
"label": "Dokumentasjon"
},
"discord": {
"label": "Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Administrer brukere"
},
"about": {
"label": "Info"
},
"preferences": {
"label": "Dine innstillinger"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Brukere"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Navn"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Użytkownicy",
"name": "Użytkownik",
"field": {
"email": {
"label": "E-mail"
},
"username": {
"label": "Nazwa użytkownika"
},
"password": {
"label": "Hasło",
"requirement": {
"lowercase": "Zawiera małą literę",
"uppercase": "Zawiera wielką literę",
"number": "Zawiera cyfrę"
}
},
"passwordConfirm": {
"label": "Potwierdź hasło"
}
},
"action": {
"login": {
"label": "Zaloguj się"
},
"register": {
"label": "Utwórz konto",
"notification": {
"success": {
"title": "Utworzono konto"
}
}
},
"create": "Dodaj użytkownika"
}
},
"group": {
"field": {
"name": "Nazwa"
},
"permission": {
"admin": {
"title": "Admin"
},
"board": {
"title": "Tablice"
}
}
},
"app": {
"page": {
"list": {
"title": "Aplikacje"
}
},
"field": {
"name": {
"label": "Nazwa"
}
}
},
"integration": {
"field": {
"name": {
"label": "Nazwa"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Nieprawidłowy URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Nazwa użytkownika"
},
"password": {
"label": "Hasło",
"newLabel": "Nowe hasło"
}
}
}
},
"media": {
"field": {
"name": "Nazwa",
"size": "Rozmiar",
"creator": "Twórca"
}
},
"common": {
"error": "Błąd",
"action": {
"add": "Dodaj",
"apply": "Zastosuj",
"create": "Utwórz",
"edit": "Edytuj",
"insert": "Wstaw",
"remove": "Usuń",
"save": "Zapisz",
"saveChanges": "Zapisz zmiany",
"cancel": "Anuluj",
"delete": "Usuń",
"confirm": "Potwierdź",
"previous": "Poprzedni",
"next": "Dalej",
"tryAgain": "Spróbuj ponownie"
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "Twoje preferencje",
"login": "Zaloguj się"
}
},
"dangerZone": "Strefa zagrożenia",
"noResults": "Nie znaleziono żadnych wyników",
"zod": {
"errors": {
"default": "To pole jest nieprawidłowe",
"required": "To pole jest wymagane",
"string": {
"startsWith": "To pole musi zaczynać się od {startsWith}",
"endsWith": "To pole musi kończyć się na {endsWith}",
"includes": "Pole to musi zawierać {includes}"
},
"tooSmall": {
"string": "To pole musi mieć co najmniej {minimum} znaków",
"number": "Wartość tego pola musi być większa lub równa {minimum}"
},
"tooBig": {
"string": "To pole może zawierać maksymalnie {maximum} znaków",
"number": "Wartość tego pola musi być mniejsza lub równa {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Nazwa"
}
},
"action": {
"moveUp": "Przenieś w górę",
"moveDown": "Przenieś w dół"
},
"menu": {
"label": {
"changePosition": "Zmiana pozycji"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Ustawienia"
}
},
"moveResize": {
"field": {
"width": {
"label": "Szerokość"
},
"height": {
"label": "Wysokość"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Otwórz w nowej karcie"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Układ",
"option": {
"row": {
"label": "Poziomy"
},
"column": {
"label": "Pionowy"
}
}
}
},
"data": {
"adsBlockedToday": "Zablokowane dzisiaj",
"adsBlockedTodayPercentage": "Zablokowane dzisiaj",
"dnsQueriesToday": "Zapytania dzisiaj"
}
},
"dnsHoleControls": {
"description": "Kontroluj PiHole lub AdGuard ze swojego pulpitu",
"option": {
"layout": {
"label": "Układ",
"option": {
"row": {
"label": "Poziomy"
},
"column": {
"label": "Pionowy"
}
}
}
},
"controls": {
"set": "",
"enabled": "Włączony",
"disabled": "Wyłączony",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "Wyświetla bieżącą datę i godzinę.",
"option": {
"timezone": {
"label": "Strefa czasowa"
}
}
},
"notebook": {
"name": "Notatnik",
"option": {
"showToolbar": {
"label": "Pokaż pasek narzędzi ułatwiający pisanie w markdown"
},
"allowReadOnlyCheck": {
"label": "Zezwalaj na sprawdzanie w trybie tylko do odczytu"
},
"content": {
"label": "Zawartość notatnika"
}
},
"controls": {
"bold": "Pogrubienie",
"italic": "Kursywa",
"strikethrough": "Przekreślenie",
"underline": "Podkreślenie",
"colorText": "Kolorowy tekst",
"colorHighlight": "Kolorowy wyróżniony tekst",
"code": "Kod",
"clear": "Wyczyść formatowanie",
"heading": "Nagłówek {level}",
"align": "Wyrównanie tekstu: {position}",
"blockquote": "Cytat",
"horizontalLine": "Linia pozioma",
"bulletList": "Lista punktowana",
"orderedList": "Lista numerowana",
"checkList": "Lista kontrolna",
"increaseIndent": "Zwiększ wcięcie",
"decreaseIndent": "Zmniejsz wcięcie",
"link": "Odnośnik",
"unlink": "Usuń odnośnik",
"image": "Osadź obraz",
"addTable": "Dodaj tabelę",
"deleteTable": "Usuń tabelę",
"colorCell": "Kolor Komórki",
"mergeCell": "Przełączanie scalania komórek",
"addColumnLeft": "Dodaj kolumnę przed",
"addColumnRight": "Dodaj kolumnę po",
"deleteColumn": "Usuń kolumnę",
"addRowTop": "Dodaj wiersz przed",
"addRowBelow": "Dodaj wiersz po",
"deleteRow": "Usuń wiersz"
},
"align": {
"left": "Lewo",
"center": "Wyśrodkowany",
"right": "Prawo"
},
"popover": {
"clearColor": "Usuń kolor",
"source": "Źródło",
"widthPlaceholder": "Wartość w % lub pikselach",
"columns": "Kolumny",
"rows": "Wiersze",
"width": "Szerokość",
"height": "Wysokość"
}
},
"iframe": {
"name": "iFrame",
"description": "Osadzaj dowolne treści z internetu. Niektóre strony internetowe mogą ograniczać dostęp.",
"option": {
"embedUrl": {
"label": "Osadź URL"
},
"allowFullScreen": {
"label": "Pozwól na pełny ekran"
},
"allowTransparency": {
"label": "Zezwól na użycie przeźroczystości"
},
"allowScrolling": {
"label": "Zezwól na przewijanie"
},
"allowPayment": {
"label": "Zezwalaj na płatności"
},
"allowAutoPlay": {
"label": "Zezwalaj na automatyczne odtwarzanie"
},
"allowMicrophone": {
"label": "Zezwól na używanie mikrofonu"
},
"allowCamera": {
"label": "Zezwól na używanie kamery"
},
"allowGeolocation": {
"label": "Zezwalaj na geolokalizację"
}
},
"error": {
"noBrowerSupport": "Twoja przeglądarka nie obsługuje ramek iframe. Zaktualizuj przeglądarkę."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "ID encji"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Nazwa wyświetlana"
},
"automationId": {
"label": "ID automatyzacji"
}
}
},
"calendar": {
"name": "Kalendarz",
"option": {
"releaseType": {
"label": "Rodzaj premiery w Radarr"
}
}
},
"weather": {
"name": "Pogoda",
"description": "Wyświetla aktualne informacje o pogodzie w ustawionej lokalizacji.",
"option": {
"location": {
"label": "Lokalizacja pogody"
}
},
"kind": {
"clear": "Bezchmurnie",
"mainlyClear": "Częściowe zachmurzenie",
"fog": "Mgła",
"drizzle": "Mżawka",
"freezingDrizzle": "Mrożąca mżawka",
"rain": "Deszcz",
"freezingRain": "Marznący deszcz",
"snowFall": "Opady śniegu",
"snowGrains": "Ziarna śniegu",
"rainShowers": "Deszczownice",
"snowShowers": "Przelotne opady śniegu",
"thunderstorm": "Burza",
"thunderstormWithHail": "Burza z gradem",
"unknown": "Nieznany"
}
},
"indexerManager": {
"name": "",
"title": "",
"testAll": ""
},
"healthMonitoring": {
"name": "",
"description": "",
"option": {
"fahrenheit": {
"label": ""
},
"cpu": {
"label": ""
},
"memory": {
"label": ""
},
"fileSystem": {
"label": ""
}
},
"popover": {
"available": ""
}
},
"common": {
"location": {
"search": "Szukaj",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Nieznany"
}
}
}
},
"video": {
"name": "Strumień wideo",
"description": "Osadź strumień wideo lub wideo z kamery lub strony internetowej",
"option": {
"feedUrl": {
"label": "Adres URL kanału"
},
"hasAutoPlay": {
"label": "Autoodtwarzanie"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Data dodania"
},
"downSpeed": {
"columnTitle": "Pobieranie",
"detailsTitle": "Prędkość pobierania"
},
"integration": {
"columnTitle": "Integracja"
},
"progress": {
"columnTitle": "Postęp"
},
"ratio": {
"columnTitle": "Proporcja"
},
"state": {
"columnTitle": "Status"
},
"upSpeed": {
"columnTitle": "Udostępnianie"
}
},
"states": {
"downloading": "Pobieranie",
"queued": "",
"paused": "Zatrzymane",
"completed": "Zakończono",
"unknown": "Nieznany"
}
},
"mediaRequests-requestList": {
"description": "Zobacz listę wszystkich zapytań o media z Twoich instancji Overseerr lub Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Otwieraj linki w nowej karcie"
}
},
"availability": {
"unknown": "Nieznany",
"partiallyAvailable": "",
"available": ""
}
},
"mediaRequests-requestStats": {
"description": "Statystyki Twoich zapytań o media",
"titles": {
"stats": {
"main": "Statystyki mediów",
"approved": "Zatwierdzone",
"pending": "Oczekujące na zatwierdzenie",
"tv": "Zapytania o seriale",
"movie": "Zapytania o filmy",
"total": "Razem"
},
"users": {
"main": "Najaktywniejsi użytkownicy"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Aplikacje"
},
"screenSize": {
"option": {
"sm": "Mały",
"md": "Średni",
"lg": "Duży"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Ustawienie obrazu tła"
},
"backgroundImageSize": {
"label": "Rozmiar obrazu tła"
},
"primaryColor": {
"label": "Kolor podstawowy"
},
"secondaryColor": {
"label": "Kolor akcentowy"
},
"customCss": {
"description": "Jeszcze bardziej dostosuj swój pulpit za pomocą CSS, zalecane tylko dla doświadczonych użytkowników"
},
"name": {
"label": "Nazwa"
},
"isPublic": {
"label": "Publiczna"
}
},
"setting": {
"section": {
"general": {
"title": "Ogólne"
},
"layout": {
"title": "Układ"
},
"background": {
"title": "Tło"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Zobacz tablicę"
}
}
}
},
"dangerZone": {
"title": "Strefa zagrożenia",
"action": {
"delete": {
"confirm": {
"title": "Usuń tablicę"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Strona główna",
"boards": "Tablice",
"apps": "Aplikacje",
"users": {
"label": "Użytkownicy",
"items": {
"manage": "Zarządzaj",
"invites": "Zaproszenia"
}
},
"tools": {
"label": "Narzędzia",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Ustawienia",
"help": {
"label": "Pomoc",
"items": {
"documentation": "Dokumentacja",
"discord": "Discord społeczności"
}
},
"about": "O programie"
}
},
"page": {
"home": {
"statistic": {
"board": "Tablice",
"user": "Użytkownicy",
"invite": "Zaproszenia",
"app": "Aplikacje"
},
"statisticLabel": {
"boards": "Tablice"
}
},
"board": {
"title": "Twoje tablice",
"action": {
"settings": {
"label": "Ustawienia"
},
"setHomeBoard": {
"badge": {
"label": "Strona główna"
}
},
"delete": {
"label": "Usuń trwale",
"confirm": {
"title": "Usuń tablicę"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Nazwa"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Ogólne",
"item": {
"firstDayOfWeek": "Pierwszy dzień tygodnia",
"accessibility": "Ułatwienia dostępu"
}
},
"security": {
"title": "Bezpieczeństwo"
},
"board": {
"title": "Tablice"
}
},
"list": {
"metaTitle": "Zarządzaj użytkownikami",
"title": "Użytkownicy"
},
"create": {
"metaTitle": "Dodaj użytkownika",
"step": {
"security": {
"label": "Bezpieczeństwo"
}
}
},
"invite": {
"title": "Zarządzaj zaproszeniami",
"action": {
"new": {
"description": "Po wygaśnięciu zaproszenie straci ważność, a odbiorca zaproszenia nie będzie mógł utworzyć konta."
},
"copy": {
"link": "Link do zaproszenia"
},
"delete": {
"title": "Usuń zaproszenie",
"description": "Czy na pewno chcesz usunąć to zaproszenie? Użytkownicy z tym linkiem nie będą już mogli utworzyć konta przy jego użyciu."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Twórca"
},
"expirationDate": {
"label": "Wygasa"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Ogólne"
}
}
},
"settings": {
"title": "Ustawienia"
},
"tool": {
"tasks": {
"status": {
"running": "Uruchomione",
"error": "Błąd"
},
"job": {
"mediaServer": {
"label": "Serwery mediów"
},
"mediaRequests": {
"label": "Zapytania o media"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokumentacja"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "Nazwa"
},
"state": {
"label": "Status",
"option": {
"created": "Utworzony",
"running": "Uruchomione",
"paused": "Zatrzymane",
"restarting": "Restartowanie",
"removing": "Usuwanie"
}
},
"containerImage": {
"label": "Obraz"
},
"ports": {
"label": "Porty"
}
},
"action": {
"start": {
"label": "Uruchom"
},
"stop": {
"label": "Zatrzymaj"
},
"restart": {
"label": "Uruchom ponownie"
},
"remove": {
"label": "Usuń"
}
}
},
"permission": {
"tab": {
"user": "Użytkownicy"
},
"field": {
"user": {
"label": "Użytkownik"
}
}
},
"navigationStructure": {
"manage": {
"label": "Zarządzaj",
"boards": {
"label": "Tablice"
},
"integrations": {
"edit": {
"label": "Edytuj"
}
},
"search-engines": {
"edit": {
"label": "Edytuj"
}
},
"apps": {
"label": "Aplikacje",
"edit": {
"label": "Edytuj"
}
},
"users": {
"label": "Użytkownicy",
"create": {
"label": "Utwórz"
},
"general": "Ogólne",
"security": "Bezpieczeństwo",
"board": "Tablice",
"invites": {
"label": "Zaproszenia"
}
},
"tools": {
"label": "Narzędzia",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Ustawienia"
},
"about": {
"label": "O programie"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Aplikacje"
},
"board": {
"title": "Tablice"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrenty"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Pomoc",
"option": {
"documentation": {
"label": "Dokumentacja"
},
"discord": {
"label": "Discord społeczności"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Zarządzaj użytkownikami"
},
"about": {
"label": "O programie"
},
"preferences": {
"label": "Twoje preferencje"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Użytkownicy"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Nazwa"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Usuários",
"name": "Usuário",
"field": {
"email": {
"label": "E-mail"
},
"username": {
"label": "Usuário"
},
"password": {
"label": "Senha",
"requirement": {
"lowercase": "Inclui letras minúsculas",
"uppercase": "Inclui letras maiúsculas",
"number": "Inclui número"
}
},
"passwordConfirm": {
"label": "Confirmar senha"
}
},
"action": {
"login": {
"label": "“Login”"
},
"register": {
"label": "Criar conta",
"notification": {
"success": {
"title": "Conta criada"
}
}
},
"create": "Criar usuário"
}
},
"group": {
"field": {
"name": "Nome"
},
"permission": {
"admin": {
"title": "Administrador"
},
"board": {
"title": "Placas"
}
}
},
"app": {
"page": {
"list": {
"title": "Aplicativos"
}
},
"field": {
"name": {
"label": "Nome"
}
}
},
"integration": {
"field": {
"name": {
"label": "Nome"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "URL inválido"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Usuário"
},
"password": {
"label": "Senha",
"newLabel": "Nova senha"
}
}
}
},
"media": {
"field": {
"name": "Nome",
"size": "Tamanho",
"creator": "Criador"
}
},
"common": {
"error": "Erro",
"action": {
"add": "Adicionar",
"apply": "Aplicar",
"create": "Criar",
"edit": "Editar",
"insert": "Inserir",
"remove": "Excluir",
"save": "Salvar",
"saveChanges": "Salvar alterações",
"cancel": "Cancelar",
"delete": "Apagar",
"confirm": "Confirme",
"previous": "Anterior",
"next": "Próximo",
"tryAgain": "Tente novamente"
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "Suas preferências",
"login": "“Login”"
}
},
"dangerZone": "Zona de risco",
"noResults": "Nenhum resultado encontrado",
"zod": {
"errors": {
"default": "Esse campo é inválido",
"required": "Este campo é obrigatório",
"string": {
"startsWith": "Esse campo deve começar com {startsWith}",
"endsWith": "Esse campo deve terminar com {endsWith}",
"includes": "Esse campo deve incluir {includes}"
},
"tooSmall": {
"string": "Esse campo deve ter pelo menos {minimum} caracteres",
"number": "Esse campo deve ser maior ou igual a {minimum}"
},
"tooBig": {
"string": "Esse campo deve ter no máximo {maximum} caracteres",
"number": "Esse campo deve ser menor ou igual a {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Nome"
}
},
"action": {
"moveUp": "Subir",
"moveDown": "Mover para baixo"
},
"menu": {
"label": {
"changePosition": "Mudar de posição"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Configurações"
}
},
"moveResize": {
"field": {
"width": {
"label": "Largura"
},
"height": {
"label": "Altura"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Abrir em novo separador"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Layout",
"option": {
"row": {
"label": "Horizontal"
},
"column": {
"label": "Vertical"
}
}
}
},
"data": {
"adsBlockedToday": "Bloqueado hoje",
"adsBlockedTodayPercentage": "Bloqueado hoje",
"dnsQueriesToday": "Consultas hoje"
}
},
"dnsHoleControls": {
"description": "Controle o PiHole ou o AdGuard em seu painel de controle",
"option": {
"layout": {
"label": "Layout",
"option": {
"row": {
"label": "Horizontal"
},
"column": {
"label": "Vertical"
}
}
}
},
"controls": {
"set": "",
"enabled": "Ativado",
"disabled": "Desativado",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "Apresenta a data e hora actuais.",
"option": {
"timezone": {
"label": "Fuso-horário"
}
}
},
"notebook": {
"name": "Caderno de anotações",
"option": {
"showToolbar": {
"label": "Mostrar a barra de ferramentas para ajudá-lo a escrever markdown"
},
"allowReadOnlyCheck": {
"label": "Permitir a verificação no modo de leitura"
},
"content": {
"label": "O conteúdo do notebook"
}
},
"controls": {
"bold": "Negrito",
"italic": "Itálico",
"strikethrough": "Riscar",
"underline": "Sublinhar",
"colorText": "Cor do texto",
"colorHighlight": "Texto colorido em destaque",
"code": "Código",
"clear": "Limpar formatação",
"heading": "Cabeçalho {level}",
"align": "Alinhar texto: {position}",
"blockquote": "Bloco de Citação",
"horizontalLine": "Linha horizontal",
"bulletList": "Lista de marcadores",
"orderedList": "Lista ordenada",
"checkList": "Lista de verificação",
"increaseIndent": "Aumentar recuo",
"decreaseIndent": "Diminuir recuo",
"link": "Link",
"unlink": "Remover link",
"image": "Incorporar imagem",
"addTable": "Adicionar tabela",
"deleteTable": "Excluir tabela",
"colorCell": "Cor da Célula",
"mergeCell": "Ativar/desativar mesclagem de células",
"addColumnLeft": "Adicionar coluna antes",
"addColumnRight": "Adicionar coluna depois",
"deleteColumn": "Excluir coluna",
"addRowTop": "Adicionar linha antes",
"addRowBelow": "Adicionar linha depois",
"deleteRow": "Excluir linha"
},
"align": {
"left": "Esquerda",
"center": "Centralizado",
"right": "Certo"
},
"popover": {
"clearColor": "Limpar cor",
"source": "Fonte",
"widthPlaceholder": "Valor em % ou pixels",
"columns": "Colunas",
"rows": "Linhas",
"width": "Largura",
"height": "Altura"
}
},
"iframe": {
"name": "iFrame",
"description": "Incorporar qualquer conteúdo da internet. Alguns sites podem restringir o acesso.",
"option": {
"embedUrl": {
"label": "Incorporar URL"
},
"allowFullScreen": {
"label": "Permitir tela cheia"
},
"allowTransparency": {
"label": "Permitir transparência"
},
"allowScrolling": {
"label": "Permitir rolagem"
},
"allowPayment": {
"label": "Permitir pagamento"
},
"allowAutoPlay": {
"label": "Permitir reprodução automática"
},
"allowMicrophone": {
"label": "Permitir microfone"
},
"allowCamera": {
"label": "Permitir câmera"
},
"allowGeolocation": {
"label": "Permitir geolocalização"
}
},
"error": {
"noBrowerSupport": "Seu navegador não suporta iframes. Atualize seu navegador."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "ID da entidade"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Nome de exibição"
},
"automationId": {
"label": "ID da automação"
}
}
},
"calendar": {
"name": "Calendário",
"option": {
"releaseType": {
"label": "Tipo de libertação de Radarr"
}
}
},
"weather": {
"name": "Tempo",
"description": "Apresenta a informação meteorológica actual de um local definido.",
"option": {
"location": {
"label": "Localização do tempo"
}
},
"kind": {
"clear": "Limpar",
"mainlyClear": "Principalmente claro",
"fog": "Névoa",
"drizzle": "Chuvisco",
"freezingDrizzle": "Chuvisco de congelação",
"rain": "Chuva",
"freezingRain": "Chuva gelada",
"snowFall": "Queda de neve",
"snowGrains": "Grãos de neve",
"rainShowers": "Duches de chuva",
"snowShowers": "Aguaceiros de neve",
"thunderstorm": "Tempestade",
"thunderstormWithHail": "Tempestade com granizo",
"unknown": "Desconhecido"
}
},
"indexerManager": {
"name": "Status do Gerenciador de Indexadores",
"title": "Gerenciador de indexadores",
"testAll": "Testar todos"
},
"healthMonitoring": {
"name": "Monitoramento da integridade do sistema",
"description": "Exibe informações que mostram a saúde e status de seu(s) sistema(s).",
"option": {
"fahrenheit": {
"label": "Temperatura da CPU em Fahrenheit"
},
"cpu": {
"label": "Mostrar informações da CPU"
},
"memory": {
"label": "Mostrar informações da memória"
},
"fileSystem": {
"label": "Mostrar informações do sistema de arquivos"
}
},
"popover": {
"available": "Disponível"
}
},
"common": {
"location": {
"search": "Pesquisa",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Desconhecido"
}
}
}
},
"video": {
"name": "Transmissão de vídeo",
"description": "Incorporar um stream de vídeo ou vídeo de uma câmera ou de um site",
"option": {
"feedUrl": {
"label": "URL do feed"
},
"hasAutoPlay": {
"label": "Reprodução automática"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": ""
},
"downSpeed": {
"columnTitle": "Para baixo",
"detailsTitle": "Velocidade de Transferência"
},
"integration": {
"columnTitle": "Integração"
},
"progress": {
"columnTitle": "Progresso"
},
"ratio": {
"columnTitle": "Razão"
},
"state": {
"columnTitle": "Estado"
},
"upSpeed": {
"columnTitle": "Para cima"
}
},
"states": {
"downloading": "Baixando",
"queued": "",
"paused": "Pausado",
"completed": "Concluído",
"unknown": "Desconhecido"
}
},
"mediaRequests-requestList": {
"description": "Veja uma lista de todas as solicitações de mídia da sua instância do Overseerr ou Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Abrir links em uma nova guia"
}
},
"availability": {
"unknown": "Desconhecido",
"partiallyAvailable": "Parcial",
"available": "Disponível"
}
},
"mediaRequests-requestStats": {
"description": "Estatísticas sobre suas solicitações de mídia",
"titles": {
"stats": {
"main": "Estatísticas de mídia",
"approved": "Já aprovado",
"pending": "Aprovações pendentes",
"tv": "Solicitações de TV",
"movie": "Solicitações de filmes",
"total": "Total"
},
"users": {
"main": "Principais usuários"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Aplicativos"
},
"screenSize": {
"option": {
"sm": "Pequeno",
"md": "Médio",
"lg": "Grande"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Anexo de imagem de fundo"
},
"backgroundImageSize": {
"label": "Tamanho da imagem de fundo"
},
"primaryColor": {
"label": "Cor primária"
},
"secondaryColor": {
"label": "Cor secundária"
},
"customCss": {
"description": "Além disso, personalize seu painel usando CSS, recomendado apenas para usuários experientes"
},
"name": {
"label": "Nome"
},
"isPublic": {
"label": "Público"
}
},
"setting": {
"section": {
"general": {
"title": "Geral"
},
"layout": {
"title": "Layout"
},
"background": {
"title": "Antecedentes"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Exibir quadro"
}
}
}
},
"dangerZone": {
"title": "Zona de risco",
"action": {
"delete": {
"confirm": {
"title": "Excluir quadro"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Início",
"boards": "Placas",
"apps": "Aplicativos",
"users": {
"label": "Usuários",
"items": {
"manage": "Gerenciar",
"invites": "Convites"
}
},
"tools": {
"label": "Ferramentas",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Configurações",
"help": {
"label": "Ajuda",
"items": {
"documentation": "Documentação",
"discord": "Discórdia da comunidade"
}
},
"about": "Sobre"
}
},
"page": {
"home": {
"statistic": {
"board": "Placas",
"user": "Usuários",
"invite": "Convites",
"app": "Aplicativos"
},
"statisticLabel": {
"boards": "Placas"
}
},
"board": {
"title": "Suas placas",
"action": {
"settings": {
"label": "Configurações"
},
"setHomeBoard": {
"badge": {
"label": "Início"
}
},
"delete": {
"label": "Excluir permanentemente",
"confirm": {
"title": "Excluir quadro"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Nome"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Geral",
"item": {
"firstDayOfWeek": "Primeiro dia da semana",
"accessibility": "Acessibilidade"
}
},
"security": {
"title": "Segurança"
},
"board": {
"title": "Placas"
}
},
"list": {
"metaTitle": "Gerenciar usuários",
"title": "Usuários"
},
"create": {
"metaTitle": "Criar usuário",
"step": {
"security": {
"label": "Segurança"
}
}
},
"invite": {
"title": "Gerenciar convites de usuários",
"action": {
"new": {
"description": "Após a expiração, um convite não será mais válido e o destinatário do convite não poderá criar uma conta."
},
"copy": {
"link": "Link do convite"
},
"delete": {
"title": "Excluir convite",
"description": "Tem certeza de que deseja excluir este convite? Os usuários com esse link não poderão mais criar uma conta usando esse link."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Criador"
},
"expirationDate": {
"label": "Data de expiração"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Geral"
}
}
},
"settings": {
"title": "Configurações"
},
"tool": {
"tasks": {
"status": {
"running": "Em execução",
"error": "Erro"
},
"job": {
"mediaServer": {
"label": "Servidor de Mídia"
},
"mediaRequests": {
"label": "Solicitações de mídia"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Documentação"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "Nome"
},
"state": {
"label": "Estado",
"option": {
"created": "Criado",
"running": "Em execução",
"paused": "Pausado",
"restarting": "Recomeço",
"removing": "Remoção"
}
},
"containerImage": {
"label": "Imagem"
},
"ports": {
"label": "Portas"
}
},
"action": {
"start": {
"label": "Iniciar"
},
"stop": {
"label": "Parar"
},
"restart": {
"label": "Reiniciar"
},
"remove": {
"label": "Excluir"
}
}
},
"permission": {
"tab": {
"user": "Usuários"
},
"field": {
"user": {
"label": "Usuário"
}
}
},
"navigationStructure": {
"manage": {
"label": "Gerenciar",
"boards": {
"label": "Placas"
},
"integrations": {
"edit": {
"label": "Editar"
}
},
"search-engines": {
"edit": {
"label": "Editar"
}
},
"apps": {
"label": "Aplicativos",
"edit": {
"label": "Editar"
}
},
"users": {
"label": "Usuários",
"create": {
"label": "Criar"
},
"general": "Geral",
"security": "Segurança",
"board": "Placas",
"invites": {
"label": "Convites"
}
},
"tools": {
"label": "Ferramentas",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Configurações"
},
"about": {
"label": "Sobre"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Aplicativos"
},
"board": {
"title": "Placas"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrentes"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Ajuda",
"option": {
"documentation": {
"label": "Documentação"
},
"discord": {
"label": "Discórdia da comunidade"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Gerenciar usuários"
},
"about": {
"label": "Sobre"
},
"preferences": {
"label": "Suas preferências"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Usuários"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Nome"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Utilizatori",
"name": "Utilizator",
"field": {
"email": {
"label": "E-mail"
},
"username": {
"label": "Utilizator"
},
"password": {
"label": "Parola",
"requirement": {
"lowercase": "Să includă litere mici",
"uppercase": "Să includă litere mari",
"number": "Să includă cifre"
}
},
"passwordConfirm": {
"label": "Confirmare parola"
}
},
"action": {
"login": {
"label": "Utilizator"
},
"register": {
"label": "Creare cont",
"notification": {
"success": {
"title": "Contul a fost creat"
}
}
},
"create": "Creează utilizator"
}
},
"group": {
"field": {
"name": "Nume"
},
"permission": {
"admin": {
"title": "Administrator"
},
"board": {
"title": "Planșe"
}
}
},
"app": {
"page": {
"list": {
"title": "Aplicații"
}
},
"field": {
"name": {
"label": "Nume"
}
}
},
"integration": {
"field": {
"name": {
"label": "Nume"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Adresă URL invalidă"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Utilizator"
},
"password": {
"label": "Parola",
"newLabel": "Parolă nouă"
}
}
}
},
"media": {
"field": {
"name": "Nume",
"size": "Mărime",
"creator": "Creator"
}
},
"common": {
"error": "Eroare",
"action": {
"add": "Adaugă",
"apply": "Aplică",
"create": "Creează",
"edit": "Editare",
"insert": "Introdu",
"remove": "Elimină",
"save": "Salvează",
"saveChanges": "Salvați schimbările",
"cancel": "Anulează",
"delete": "Șterge",
"confirm": "Confirma",
"previous": "Anteriorul",
"next": "Următorul",
"tryAgain": "Încearcă din nou"
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "Preferințele dvs.",
"login": "Utilizator"
}
},
"dangerZone": "Zonă periculoasă",
"noResults": "Nici un rezultat găsit",
"zod": {
"errors": {
"default": "Acest câmp nu este valid",
"required": "Acest câmp este obligatoriu",
"string": {
"startsWith": "Acest câmp trebuie să înceapă cu {startsWith}",
"endsWith": "Acest câmp trebuie să se termine cu {endsWith}",
"includes": "Acest câmp trebuie să includă {includes}"
},
"tooSmall": {
"string": "Acest câmp trebuie să aibă cel puțin {minimum} caractere",
"number": "Acest câmp trebuie să fie mai mare sau egal cu {minimum}"
},
"tooBig": {
"string": "Acest câmp trebuie să aibă cel mult {maximum} caractere",
"number": "Acest câmp trebuie să fie mai mic sau egal cu {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Nume"
}
},
"action": {
"moveUp": "Mută în sus",
"moveDown": "Mută în jos"
},
"menu": {
"label": {
"changePosition": "Schimbă locația"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Setări"
}
},
"moveResize": {
"field": {
"width": {
"label": "Lățime"
},
"height": {
"label": "Înălțime"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Deschideți într-o pagină nouă"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Aspect",
"option": {
"row": {
"label": "Orizontal"
},
"column": {
"label": "Vertical"
}
}
}
},
"data": {
"adsBlockedToday": "Blocate astăzi",
"adsBlockedTodayPercentage": "Blocate astăzi",
"dnsQueriesToday": "Interogări astăzi"
}
},
"dnsHoleControls": {
"description": "Controlați PiHole sau AdGuard din planșa dvs.",
"option": {
"layout": {
"label": "Aspect",
"option": {
"row": {
"label": "Orizontal"
},
"column": {
"label": "Vertical"
}
}
}
},
"controls": {
"set": "",
"enabled": "Activat",
"disabled": "Dezactivat",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "Afișează data și ora curentă.",
"option": {
"timezone": {
"label": "Fus orar"
}
}
},
"notebook": {
"name": "Agendă",
"option": {
"showToolbar": {
"label": "Arată bara de instrumente pentru a te ajuta să notezi în tip markdown"
},
"allowReadOnlyCheck": {
"label": "Permite verificarea în modul numai-citire"
},
"content": {
"label": "Conținutul agendei"
}
},
"controls": {
"bold": "Îngroșat",
"italic": "Cursiv",
"strikethrough": "Tăiat cu o linie",
"underline": "Subliniat",
"colorText": "Culoare text",
"colorHighlight": "Text colorat pentru evidențiere",
"code": "Cod",
"clear": "Curăță formatul",
"heading": "Rubrica {level}",
"align": "Așezați textul: {position}",
"blockquote": "Citat",
"horizontalLine": "Linie orizontală",
"bulletList": "Listă cu puncte",
"orderedList": "Listă ordonată",
"checkList": "Lista de verificare cu bifă",
"increaseIndent": "Mărește spațierea",
"decreaseIndent": "Scade spațierea",
"link": "Link",
"unlink": "Șterge link-ul",
"image": "Încorporează imagine",
"addTable": "Adaugă tabelă",
"deleteTable": "Șterge tabelă",
"colorCell": "Culoare celulă",
"mergeCell": "Comută îmbinarea celulelor",
"addColumnLeft": "Adaugă o coloană în fată",
"addColumnRight": "Adaugă o coloană după",
"deleteColumn": "Șterge coloană",
"addRowTop": "Adaugă un rând înainte",
"addRowBelow": "Adaugă un rând după",
"deleteRow": "Șterge rând"
},
"align": {
"left": "Stânga",
"center": "Centru",
"right": "Dreapta"
},
"popover": {
"clearColor": "Șterge culoarea",
"source": "Sursă",
"widthPlaceholder": "Valoare exprimată în % sau pixeli",
"columns": "Coloane",
"rows": "Rânduri",
"width": "Lățime",
"height": "Înălțime"
}
},
"iframe": {
"name": "iFrame",
"description": "Încorporați orice conținut de pe internet. Unele site-uri web pot restricționa accesul.",
"option": {
"embedUrl": {
"label": "Încorporați adresa URL"
},
"allowFullScreen": {
"label": "Permiteți ecranul complet"
},
"allowTransparency": {
"label": "Permiteți transparența"
},
"allowScrolling": {
"label": "Permiteți derularea"
},
"allowPayment": {
"label": "Permiteți plata"
},
"allowAutoPlay": {
"label": "Permiteți redarea automată"
},
"allowMicrophone": {
"label": "Permiteți microfonul"
},
"allowCamera": {
"label": "Permiteți camera"
},
"allowGeolocation": {
"label": "Permiteți geolocalizarea"
}
},
"error": {
"noBrowerSupport": "Browser-ul tău nu acceptă iFrames. Te rugăm să actualizezi browser-ul."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Identificator entitate"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Nume afișat"
},
"automationId": {
"label": "Identificator automatizare"
}
}
},
"calendar": {
"name": "Calendar",
"option": {
"releaseType": {
"label": "Tip de evenimente ale Radarr"
}
}
},
"weather": {
"name": "Meteo",
"description": "Afișează informațiile meteo curente ale unei locații stabilite.",
"option": {
"location": {
"label": "Locație meteo"
}
},
"kind": {
"clear": "Senin",
"mainlyClear": "Parțial noros",
"fog": "Ceață",
"drizzle": "Burniță",
"freezingDrizzle": "Chiciură",
"rain": "Ploaie",
"freezingRain": "Polei",
"snowFall": "Ninsoare",
"snowGrains": "Fulgi de Zăpadă",
"rainShowers": "Averse de ploaie",
"snowShowers": "Averse de ninsoare",
"thunderstorm": "Furtună",
"thunderstormWithHail": "Furtună cu grindină",
"unknown": "Necunoscut"
}
},
"indexerManager": {
"name": "Starea managerului de clasificare",
"title": "Manager de clasificare",
"testAll": "Verifică toate"
},
"healthMonitoring": {
"name": "Monitorizarea sănătății sistemului",
"description": "Afișează informații care arată starea de sănătate și statistica sistemului (sistemelor) dumneavoastră.",
"option": {
"fahrenheit": {
"label": "Temperatura procesorului în Fahrenheit"
},
"cpu": {
"label": "Afișare informații procesor"
},
"memory": {
"label": "Afișare informații memorie"
},
"fileSystem": {
"label": "Afișare informații despre sistemul de fișiere"
}
},
"popover": {
"available": "Disponibil"
}
},
"common": {
"location": {
"search": "Caută",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Necunoscut"
}
}
}
},
"video": {
"name": "Stream video",
"description": "Încorporează un steam video sau video-ul dintr-o cameră sau un site web",
"option": {
"feedUrl": {
"label": "Adresa URL a feed-ului"
},
"hasAutoPlay": {
"label": "Redare automată"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Data adăugării"
},
"downSpeed": {
"columnTitle": "În jos",
"detailsTitle": "Viteza de descărcare"
},
"integration": {
"columnTitle": "Integrare"
},
"progress": {
"columnTitle": "Progres"
},
"ratio": {
"columnTitle": "Raport"
},
"state": {
"columnTitle": "Stare"
},
"upSpeed": {
"columnTitle": "În sus"
}
},
"states": {
"downloading": "Descărcare",
"queued": "Pus în așteptare",
"paused": "În pauză",
"completed": "Finalizat",
"unknown": "Necunoscut"
}
},
"mediaRequests-requestList": {
"description": "Vezi o listă cu toate cererile media de la instanțele Overseerr sau Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Deschide link-ul într-o pagină nouă"
}
},
"availability": {
"unknown": "Necunoscut",
"partiallyAvailable": "Parțial",
"available": "Disponibil"
}
},
"mediaRequests-requestStats": {
"description": "Statistici despre solicitările dvs. media",
"titles": {
"stats": {
"main": "Situația media",
"approved": "Deja aprobat",
"pending": "În curs de aprobare",
"tv": "Cereri seriale TV",
"movie": "Cereri filme",
"total": "Total"
},
"users": {
"main": "Top utilizatori"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Aplicații"
},
"screenSize": {
"option": {
"sm": "Mic",
"md": "Mediu",
"lg": "Mare"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Atașare imagine de fundal"
},
"backgroundImageSize": {
"label": "Dimensiunea imaginii de fundal"
},
"primaryColor": {
"label": "Culoare de bază"
},
"secondaryColor": {
"label": "Culoare secundară"
},
"customCss": {
"description": "În plus, personalizați-vă planșa folosind CSS, recomandat doar pentru utilizatorii experimentați"
},
"name": {
"label": "Nume"
},
"isPublic": {
"label": "Public"
}
},
"setting": {
"section": {
"general": {
"title": "General"
},
"layout": {
"title": "Aspect"
},
"background": {
"title": "Fundal"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Vezi planșa"
}
}
}
},
"dangerZone": {
"title": "Zonă periculoasă",
"action": {
"delete": {
"confirm": {
"title": "Șterge planșa"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Acasă",
"boards": "Planșe",
"apps": "Aplicații",
"users": {
"label": "Utilizatori",
"items": {
"manage": "Gestionați",
"invites": "Invitații"
}
},
"tools": {
"label": "Unelte",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Setări",
"help": {
"label": "Ajutor",
"items": {
"documentation": "Documentație",
"discord": "Comunitatea Discord"
}
},
"about": "Despre"
}
},
"page": {
"home": {
"statistic": {
"board": "Planșe",
"user": "Utilizatori",
"invite": "Invitații",
"app": "Aplicații"
},
"statisticLabel": {
"boards": "Planșe"
}
},
"board": {
"title": "Planșele dumneavoastră",
"action": {
"settings": {
"label": "Setări"
},
"setHomeBoard": {
"badge": {
"label": "Acasă"
}
},
"delete": {
"label": "Șterge definitiv",
"confirm": {
"title": "Șterge planșa"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Nume"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "General",
"item": {
"firstDayOfWeek": "Prima zi a săptămâni",
"accessibility": "Accesibilitate"
}
},
"security": {
"title": "Securitate"
},
"board": {
"title": "Planșe"
}
},
"list": {
"metaTitle": "Gestionați utilizatorii",
"title": "Utilizatori"
},
"create": {
"metaTitle": "Creează utilizator",
"step": {
"security": {
"label": "Securitate"
}
}
},
"invite": {
"title": "Gestionează invitațiile utilizatorului",
"action": {
"new": {
"description": "După expirare, invitația nu va mai fi valabilă iar destinatarul invitației nu va mai putea crea un cont."
},
"copy": {
"link": "Link de invitație"
},
"delete": {
"title": "Șterge invitație",
"description": "Sunteți sigur că doriți să ștergeți această invitație? Utilizatorii care au acest link nu vor mai putea crea un cont folosind acest link."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Creator"
},
"expirationDate": {
"label": "Data expirării"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "General"
}
}
},
"settings": {
"title": "Setări"
},
"tool": {
"tasks": {
"status": {
"running": "Rulează",
"error": "Eroare"
},
"job": {
"mediaServer": {
"label": "Server-ul media"
},
"mediaRequests": {
"label": "Cereri media"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Documentație"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "Containere",
"field": {
"name": {
"label": "Nume"
},
"state": {
"label": "Stare",
"option": {
"created": "Creat",
"running": "Rulează",
"paused": "În pauză",
"restarting": "Repornire",
"removing": "Eliminare"
}
},
"containerImage": {
"label": "Imagine"
},
"ports": {
"label": "Porturi"
}
},
"action": {
"start": {
"label": "Pornește"
},
"stop": {
"label": "Opreşte"
},
"restart": {
"label": "Repornește"
},
"remove": {
"label": "Elimină"
}
}
},
"permission": {
"tab": {
"user": "Utilizatori"
},
"field": {
"user": {
"label": "Utilizator"
}
}
},
"navigationStructure": {
"manage": {
"label": "Gestionați",
"boards": {
"label": "Planșe"
},
"integrations": {
"edit": {
"label": "Editare"
}
},
"search-engines": {
"edit": {
"label": "Editare"
}
},
"apps": {
"label": "Aplicații",
"edit": {
"label": "Editare"
}
},
"users": {
"label": "Utilizatori",
"create": {
"label": "Creează"
},
"general": "General",
"security": "Securitate",
"board": "Planșe",
"invites": {
"label": "Invitații"
}
},
"tools": {
"label": "Unelte",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Setări"
},
"about": {
"label": "Despre"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Aplicații"
},
"board": {
"title": "Planșe"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrent"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Ajutor",
"option": {
"documentation": {
"label": "Documentație"
},
"discord": {
"label": "Comunitatea Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Gestionați utilizatorii"
},
"about": {
"label": "Despre"
},
"preferences": {
"label": "Preferințele dvs."
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Utilizatori"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Nume"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Пользователи",
"name": "Пользователь",
"field": {
"email": {
"label": "E-Mail"
},
"username": {
"label": "Имя пользователя"
},
"password": {
"label": "Пароль",
"requirement": {
"lowercase": "Включает строчную букву",
"uppercase": "Включает заглавную букву",
"number": "Включает цифру"
}
},
"passwordConfirm": {
"label": "Подтвердите пароль"
}
},
"action": {
"login": {
"label": "Вход в систему"
},
"register": {
"label": "Создать аккаунт",
"notification": {
"success": {
"title": "Аккаунт создан"
}
}
},
"create": "Создать пользователя"
}
},
"group": {
"field": {
"name": "Имя"
},
"permission": {
"admin": {
"title": "Администратор"
},
"board": {
"title": "Панели"
}
}
},
"app": {
"page": {
"list": {
"title": "Приложения"
}
},
"field": {
"name": {
"label": "Имя"
}
}
},
"integration": {
"field": {
"name": {
"label": "Имя"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Неверный URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Имя пользователя"
},
"password": {
"label": "Пароль",
"newLabel": "Новый пароль"
}
}
}
},
"media": {
"field": {
"name": "Имя",
"size": "Размер",
"creator": "Создатель"
}
},
"common": {
"error": "Ошибка",
"action": {
"add": "Добавить",
"apply": "Применить",
"create": "Создать",
"edit": "Изменить",
"insert": "Вставить",
"remove": "Удалить",
"save": "Сохранить",
"saveChanges": "Сохранить изменения",
"cancel": "Отмена",
"delete": "Удалить",
"confirm": "Подтвердить",
"previous": "Предыдущий",
"next": "Далее",
"tryAgain": "Попробовать снова"
},
"information": {
"hours": "Часы",
"minutes": "Минуты"
},
"userAvatar": {
"menu": {
"preferences": "Ваши настройки",
"login": "Вход в систему"
}
},
"dangerZone": "Зона опасности",
"noResults": "Результаты не найдены",
"zod": {
"errors": {
"default": "Данное поле недействительно",
"required": "Это поле обязательно",
"string": {
"startsWith": "Значение данного поля должно начинаться с {startsWith}",
"endsWith": "Значение данного поля должно заканчиваться на {endsWith}",
"includes": "Значение данного поля должно включать {includes}"
},
"tooSmall": {
"string": "Данное поле должно содержать не менее {minimum} символов",
"number": "Значение данного поля должно быть больше или равно {minimum}"
},
"tooBig": {
"string": "Данное поле должно содержать не более {maximum} символов",
"number": "Значение этого поля должно быть меньше или равно {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Имя"
}
},
"action": {
"moveUp": "Переместить вверх",
"moveDown": "Переместить вниз"
},
"menu": {
"label": {
"changePosition": "Изменить положение"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Настройки"
}
},
"moveResize": {
"field": {
"width": {
"label": "Ширина"
},
"height": {
"label": "Высота"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Открыть в новой вкладке"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Макет",
"option": {
"row": {
"label": "Горизонтальный"
},
"column": {
"label": "Вертикальный"
}
}
}
},
"data": {
"adsBlockedToday": "Заблокировано сегодня",
"adsBlockedTodayPercentage": "Заблокировано сегодня",
"dnsQueriesToday": "запросов сегодня"
}
},
"dnsHoleControls": {
"description": "Управляйте PiHole или AdGuard прямо с вашей панели",
"option": {
"layout": {
"label": "Макет",
"option": {
"row": {
"label": "Горизонтальный"
},
"column": {
"label": "Вертикальный"
}
}
}
},
"controls": {
"set": "Установить",
"enabled": "Включено",
"disabled": "Отключено",
"hours": "Часы",
"minutes": "Минуты"
}
},
"clock": {
"description": "Отображает текущую дату и время.",
"option": {
"timezone": {
"label": "Часовой пояс"
}
}
},
"notebook": {
"name": "Блокнот",
"option": {
"showToolbar": {
"label": "Показать панель инструментов для написания текста с использованием разметки Markdown"
},
"allowReadOnlyCheck": {
"label": "Разрешить проверку в режиме \"только для чтения\""
},
"content": {
"label": "Содержимое блокнота"
}
},
"controls": {
"bold": "Жирный",
"italic": "Курсив",
"strikethrough": "Зачеркнутый",
"underline": "Подчеркнутый",
"colorText": "Цвет текста",
"colorHighlight": "Выделение текста цветом",
"code": "Код",
"clear": "Очистить форматирование",
"heading": "Заголовок {level}",
"align": "Выровнять текст: {position}",
"blockquote": "Цитата",
"horizontalLine": "Горизонтальная линия",
"bulletList": "Маркированный список",
"orderedList": "Нумерованный список",
"checkList": "Чек-лист",
"increaseIndent": "Увеличить отступ",
"decreaseIndent": "Уменьшить отступ",
"link": "Ссылка",
"unlink": "Удалить ссылку",
"image": "Вставить изображение",
"addTable": "Добавить таблицу",
"deleteTable": "Удалить таблицу",
"colorCell": "Цвет ячейки",
"mergeCell": "Переключить объединение ячеек",
"addColumnLeft": "Добавить столбец перед",
"addColumnRight": "Добавить столбец после",
"deleteColumn": "Удалить столбец",
"addRowTop": "Добавить строку перед",
"addRowBelow": "Добавить строку после",
"deleteRow": "Удалить строку"
},
"align": {
"left": "Слева",
"center": "По центру",
"right": "Справа"
},
"popover": {
"clearColor": "Очистить цвет",
"source": "Источник",
"widthPlaceholder": "Значение в % или пикселях",
"columns": "Столбцы",
"rows": "Строки",
"width": "Ширина",
"height": "Высота"
}
},
"iframe": {
"name": "iFrame",
"description": "Встраиваемое содержимое из интернета. Некоторые веб-сайты могут ограничивать доступ.",
"option": {
"embedUrl": {
"label": "URL-адрес на встраивание"
},
"allowFullScreen": {
"label": "Разрешить полноэкранный режим"
},
"allowTransparency": {
"label": "Разрешить прозрачность"
},
"allowScrolling": {
"label": "Разрешить прокрутку"
},
"allowPayment": {
"label": "Разрешить оплату"
},
"allowAutoPlay": {
"label": "Разрешить авто воспроизведение"
},
"allowMicrophone": {
"label": "Разрешить микрофон"
},
"allowCamera": {
"label": "Разрешить камеру"
},
"allowGeolocation": {
"label": "Разрешить геолокацию"
}
},
"error": {
"noBrowerSupport": "Ваш браузер не поддерживает iframes. Пожалуйста, обновите свой браузер."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "ID объекта"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Отображаемое имя"
},
"automationId": {
"label": "ID автоматизации"
}
}
},
"calendar": {
"name": "Календарь",
"option": {
"releaseType": {
"label": "Тип релиза в Radarr"
}
}
},
"weather": {
"name": "Погода",
"description": "Отображает текущую информацию о погоде для заданного местоположения.",
"option": {
"location": {
"label": "Местоположение"
}
},
"kind": {
"clear": "Ясно",
"mainlyClear": "Малооблачно",
"fog": "Туман",
"drizzle": "Морось",
"freezingDrizzle": "Изморозь, возможен гололёд",
"rain": "Дождь",
"freezingRain": "Моросящий дождь",
"snowFall": "Снегопад",
"snowGrains": "Снежные зерна",
"rainShowers": "Ливень",
"snowShowers": "Снегопад",
"thunderstorm": "Гроза",
"thunderstormWithHail": "Гроза с градом",
"unknown": "Неизвестно"
}
},
"indexerManager": {
"name": "Статус менеджера индексаторов",
"title": "Статус менеджера индексаторов",
"testAll": "Тестировать все"
},
"healthMonitoring": {
"name": "Мониторинг состояния системы",
"description": "Отображает информацию о состоянии и статусе вашей системы(систем).",
"option": {
"fahrenheit": {
"label": "Температура процессора в градусах Фаренгейта"
},
"cpu": {
"label": "Показывать информацию о процессоре"
},
"memory": {
"label": "Показать информацию о памяти"
},
"fileSystem": {
"label": "Показать информацию о файловой системе"
}
},
"popover": {
"available": "Доступен"
}
},
"common": {
"location": {
"search": "Поиск",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Неизвестно"
}
}
}
},
"video": {
"name": "Трансляция видео",
"description": "Встраивание видео или прямой трансляции видео с камеры или веб-сайта",
"option": {
"feedUrl": {
"label": "URL-адрес потока"
},
"hasAutoPlay": {
"label": "Автовоспроизведение"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Дата добавления"
},
"downSpeed": {
"columnTitle": "Загрузка",
"detailsTitle": "Скорость скачивания"
},
"integration": {
"columnTitle": "Интеграция"
},
"progress": {
"columnTitle": "Прогресс"
},
"ratio": {
"columnTitle": "Рейтинг"
},
"state": {
"columnTitle": "Состояние"
},
"upSpeed": {
"columnTitle": "Отдача"
}
},
"states": {
"downloading": "Скачивается",
"queued": "Очередь",
"paused": "Приостановлено",
"completed": "Завершено",
"unknown": "Неизвестно"
}
},
"mediaRequests-requestList": {
"description": "Просмотреть список всех медиа-запросов из вашего экземпляра Overseerr или Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Открывать ссылки в новой вкладке"
}
},
"availability": {
"unknown": "Неизвестно",
"partiallyAvailable": "Частично",
"available": "Доступен"
}
},
"mediaRequests-requestStats": {
"description": "Статистика ваших медиазапросов",
"titles": {
"stats": {
"main": "Статистика медиа",
"approved": "Уже одобрено",
"pending": "Ожидающие утверждения",
"tv": "Запросы сериалов",
"movie": "Запросы фильмов",
"total": "Всего"
},
"users": {
"main": "Топ пользователей"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Приложения"
},
"screenSize": {
"option": {
"sm": "Маленький",
"md": "Средний",
"lg": "Большой"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Закрепление фонового изображения"
},
"backgroundImageSize": {
"label": "Размер фонового изображения"
},
"primaryColor": {
"label": "Основной цвет"
},
"secondaryColor": {
"label": "Дополнительный цвет"
},
"customCss": {
"description": "Дополнительная настройка вашей панели с использованием CSS, рекомендуется только опытным пользователям"
},
"name": {
"label": "Имя"
},
"isPublic": {
"label": "Публичный"
}
},
"setting": {
"section": {
"general": {
"title": "Общие"
},
"layout": {
"title": "Макет"
},
"background": {
"title": "Фон"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Просмотр панели"
}
}
}
},
"dangerZone": {
"title": "Зона опасности",
"action": {
"delete": {
"confirm": {
"title": "Удалить панель"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Главная",
"boards": "Панели",
"apps": "Приложения",
"users": {
"label": "Пользователи",
"items": {
"manage": "Управление",
"invites": "Приглашения"
}
},
"tools": {
"label": "Инструменты",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Настройки",
"help": {
"label": "Помощь",
"items": {
"documentation": "Документация",
"discord": "Сообщество Discord"
}
},
"about": "О программе"
}
},
"page": {
"home": {
"statistic": {
"board": "Панели",
"user": "Пользователи",
"invite": "Приглашения",
"app": "Приложения"
},
"statisticLabel": {
"boards": "Панели"
}
},
"board": {
"title": "Ваши панели",
"action": {
"settings": {
"label": "Настройки"
},
"setHomeBoard": {
"badge": {
"label": "Главная"
}
},
"delete": {
"label": "Удалить навсегда",
"confirm": {
"title": "Удалить панель"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Имя"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Общие",
"item": {
"firstDayOfWeek": "Первый день недели",
"accessibility": "Доступность"
}
},
"security": {
"title": "Безопасность"
},
"board": {
"title": "Панели"
}
},
"list": {
"metaTitle": "Управлять пользователями",
"title": "Пользователи"
},
"create": {
"metaTitle": "Создать пользователя",
"step": {
"security": {
"label": "Безопасность"
}
}
},
"invite": {
"title": "Управление приглашениями пользователей",
"action": {
"new": {
"description": "По истечении этого срока приглашение перестает быть действительным, и получатель приглашения не сможет создать аккаунт."
},
"copy": {
"link": "Ссылка на приглашение"
},
"delete": {
"title": "Удалить приглашение",
"description": "Вы уверены, что хотите удалить это приглашение? Пользователи, получившие эту ссылку, больше не смогут создать аккаунт по этой ссылке."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Создатель"
},
"expirationDate": {
"label": "Срок действия"
},
"token": {
"label": "Токен"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Общие"
}
}
},
"settings": {
"title": "Настройки"
},
"tool": {
"tasks": {
"status": {
"running": "Работает",
"error": "Ошибка"
},
"job": {
"mediaServer": {
"label": "Медиасервер"
},
"mediaRequests": {
"label": "Запросы на медиа"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Документация"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "Контейнеры",
"field": {
"name": {
"label": "Имя"
},
"state": {
"label": "Состояние",
"option": {
"created": "Создан",
"running": "Работает",
"paused": "Приостановлено",
"restarting": "Перезапуск",
"removing": "Удаление"
}
},
"containerImage": {
"label": "Образ"
},
"ports": {
"label": "Порты"
}
},
"action": {
"start": {
"label": "Запустить"
},
"stop": {
"label": "Остановить"
},
"restart": {
"label": "Перезапустить"
},
"remove": {
"label": "Удалить"
}
}
},
"permission": {
"tab": {
"user": "Пользователи"
},
"field": {
"user": {
"label": "Пользователь"
}
}
},
"navigationStructure": {
"manage": {
"label": "Управление",
"boards": {
"label": "Панели"
},
"integrations": {
"edit": {
"label": "Изменить"
}
},
"search-engines": {
"edit": {
"label": "Изменить"
}
},
"apps": {
"label": "Приложения",
"edit": {
"label": "Изменить"
}
},
"users": {
"label": "Пользователи",
"create": {
"label": "Создать"
},
"general": "Общие",
"security": "Безопасность",
"board": "Панели",
"invites": {
"label": "Приглашения"
}
},
"tools": {
"label": "Инструменты",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Настройки"
},
"about": {
"label": "О программе"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Приложения"
},
"board": {
"title": "Панели"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Торренты"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Помощь",
"option": {
"documentation": {
"label": "Документация"
},
"discord": {
"label": "Сообщество Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Управлять пользователями"
},
"about": {
"label": "О программе"
},
"preferences": {
"label": "Ваши настройки"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Пользователи"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Имя"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Používatelia",
"name": "Používateľ",
"field": {
"email": {
"label": "E-mail"
},
"username": {
"label": "Používateľské meno"
},
"password": {
"label": "Heslo",
"requirement": {
"lowercase": "Zahŕňa malé písmeno",
"uppercase": "Zahŕňa veľké písmená",
"number": "Vrátane čísiel"
}
},
"passwordConfirm": {
"label": "Potvrdenie hesla"
}
},
"action": {
"login": {
"label": "Prihlásiť sa"
},
"register": {
"label": "Vytvoriť účet",
"notification": {
"success": {
"title": "Účet bol Vytvorený"
}
}
},
"create": "Vytvoriť užívateľa"
}
},
"group": {
"field": {
"name": "Názov"
},
"permission": {
"admin": {
"title": "Správca"
},
"board": {
"title": "Dosky"
}
}
},
"app": {
"page": {
"list": {
"title": "Aplikácie"
}
},
"field": {
"name": {
"label": "Názov"
}
}
},
"integration": {
"field": {
"name": {
"label": "Názov"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Neplatná URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Používateľské meno"
},
"password": {
"label": "Heslo",
"newLabel": "Nové heslo"
}
}
}
},
"media": {
"field": {
"name": "Názov",
"size": "Veľkosť",
"creator": "Autor"
}
},
"common": {
"error": "Chyba",
"action": {
"add": "Pridať",
"apply": "Použiť",
"create": "Vytvoriť",
"edit": "Upraviť",
"insert": "Vložiť",
"remove": "Odstrániť",
"save": "Uložiť",
"saveChanges": "Uložiť zmeny",
"cancel": "Zrušiť",
"delete": "Vymazať",
"confirm": "Potvrďte",
"previous": "Predchádzajúci",
"next": "Ďalej",
"tryAgain": "Skúste znova"
},
"information": {
"hours": "Hodiny",
"minutes": "Minúty"
},
"userAvatar": {
"menu": {
"preferences": "Vaše preferencie",
"login": "Prihlásiť sa"
}
},
"dangerZone": "Nebezpečná zóna",
"noResults": "Nenašli sa žiadne výsledky",
"zod": {
"errors": {
"default": "Toto pole je neplatné",
"required": "Toto pole je povinné",
"string": {
"startsWith": "Toto pole musí začínať na {startsWith}",
"endsWith": "Toto pole musí končiť na {endsWith}",
"includes": "Toto pole musí obsahovať {includes}"
},
"tooSmall": {
"string": "Toto pole musí byť dlhé aspoň {minimum} znakov",
"number": "Toto pole musí byť väčšie alebo rovné {minimum}"
},
"tooBig": {
"string": "Toto pole musí mať najviac {maximum} znakov",
"number": "Toto pole musí byť menšie alebo rovné {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Názov"
}
},
"action": {
"moveUp": "Posunúť nahor",
"moveDown": "Posunúť nadol"
},
"menu": {
"label": {
"changePosition": "Zmeniť pozíciu"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Nastavenia"
}
},
"moveResize": {
"field": {
"width": {
"label": "Šírka"
},
"height": {
"label": "Výška"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Otvoriť na novej karte"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Rozloženie",
"option": {
"row": {
"label": "Horizontálne"
},
"column": {
"label": "Vertikálne"
}
}
}
},
"data": {
"adsBlockedToday": "Zablokované dnes",
"adsBlockedTodayPercentage": "Zablokované dnes",
"dnsQueriesToday": "Poziadavky dnes"
}
},
"dnsHoleControls": {
"description": "Ovládajte PiHole alebo AdGuard z ovládacieho panela",
"option": {
"layout": {
"label": "Rozloženie",
"option": {
"row": {
"label": "Horizontálne"
},
"column": {
"label": "Vertikálne"
}
}
}
},
"controls": {
"set": "Nastaviť",
"enabled": "Povolené",
"disabled": "Zakázané",
"hours": "Hodiny",
"minutes": "Minúty"
}
},
"clock": {
"description": "Zobrazuje aktuálny dátum a čas.",
"option": {
"timezone": {
"label": "Časové pásmo"
}
}
},
"notebook": {
"name": "Poznámkový blok",
"option": {
"showToolbar": {
"label": "Zobrazenie panela nástrojov na pomoc pri písaní poznámok"
},
"allowReadOnlyCheck": {
"label": "Povolenie kontroly v režime len na čítanie"
},
"content": {
"label": "Obsah zápisníka"
}
},
"controls": {
"bold": "Tučné",
"italic": "Kurzíva",
"strikethrough": "Prečiarknuté",
"underline": "Podčiarknuté",
"colorText": "Farebný text",
"colorHighlight": "Farebné zvýraznenie textu",
"code": "Kód",
"clear": "Vyčistiť formátovanie",
"heading": "Nadpis {level}",
"align": "Zarovnanie textu: {position}",
"blockquote": "Citát",
"horizontalLine": "Horizontálna čiara",
"bulletList": "Zoznam odrážok",
"orderedList": "Objednaný zoznam",
"checkList": "Kontrolný zoznam",
"increaseIndent": "Zväčšenie odstupu",
"decreaseIndent": "Zníženie odstupu",
"link": "Odkaz",
"unlink": "Odstrániť odkaz",
"image": "Vložiť obrázok",
"addTable": "Pridať tabuľku",
"deleteTable": "Odstrániť tabuľku",
"colorCell": "Farebná bunka",
"mergeCell": "Prepnúť zlúčenie buniek",
"addColumnLeft": "Pridať stĺpec pred",
"addColumnRight": "Pridať stĺpec po",
"deleteColumn": "Vymazať stĺpec",
"addRowTop": "Pridať riadok pred",
"addRowBelow": "Pridať riadok po",
"deleteRow": "Vymazať riadok"
},
"align": {
"left": "Vľavo",
"center": "Na stred",
"right": "Vpravo"
},
"popover": {
"clearColor": "Vymazať farbu",
"source": "Zdroj",
"widthPlaceholder": "Hodnota v % alebo pixeloch",
"columns": "Stĺpce",
"rows": "Riadky",
"width": "Šírka",
"height": "Výška"
}
},
"iframe": {
"name": "iFrame",
"description": "Vložte akýkoľvek obsah z internetu. Niektoré webové stránky môžu obmedziť prístup.",
"option": {
"embedUrl": {
"label": "Vložiť adresu URL"
},
"allowFullScreen": {
"label": "Povoliť celú obrazovku"
},
"allowTransparency": {
"label": "Povoliť priehľadnosť"
},
"allowScrolling": {
"label": "Povolenie posúvania"
},
"allowPayment": {
"label": "Umožniť platbu"
},
"allowAutoPlay": {
"label": "Povolenie automatického prehrávania"
},
"allowMicrophone": {
"label": "Povoliť mikrofón"
},
"allowCamera": {
"label": "Povoliť kameru"
},
"allowGeolocation": {
"label": "Povolenie geografickej lokalizácie"
}
},
"error": {
"noBrowerSupport": "Váš prehliadač nepodporuje iframe. Aktualizujte svoj prehliadač."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "ID subjektu"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Zobrazenie názvu"
},
"automationId": {
"label": "ID automatizácie"
}
}
},
"calendar": {
"name": "Kalendár",
"option": {
"releaseType": {
"label": "Typ Radarr releasu"
}
}
},
"weather": {
"name": "Počasie",
"description": "Zobrazí aktuálne informácie o počasí na nastavenom mieste.",
"option": {
"location": {
"label": "Poloha počasia"
}
},
"kind": {
"clear": "Jasno",
"mainlyClear": "Prevažne jasno",
"fog": "Hmla",
"drizzle": "Mrholenie",
"freezingDrizzle": "Mrznúce mrholenie",
"rain": "Dážď",
"freezingRain": "Mrznúci dážď",
"snowFall": "Sneženie",
"snowGrains": "Snehové zrná",
"rainShowers": "Prehánky",
"snowShowers": "Snehové prehánky",
"thunderstorm": "Búrka",
"thunderstormWithHail": "Búrka s krúpami",
"unknown": "Neznámy"
}
},
"indexerManager": {
"name": "Stav správcu indexovača",
"title": "Správca indexovača",
"testAll": "Otestujte všetky"
},
"healthMonitoring": {
"name": "Monitorovanie stavu systému",
"description": "Zobrazuje informácie o stave a kondícii vášho systému.",
"option": {
"fahrenheit": {
"label": "Teplota CPU v stupňoch Fahrenheita"
},
"cpu": {
"label": "Zobrazenie informácií o CPU"
},
"memory": {
"label": "Zobraziť informácie o pamäti"
},
"fileSystem": {
"label": "Zobraziť informácie o súborovom systéme"
}
},
"popover": {
"available": "K dispozícii"
}
},
"common": {
"location": {
"search": "Hladať",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Neznámy"
}
}
}
},
"video": {
"name": "Video stream",
"description": "Vloženie videoprenosu alebo videa z kamery alebo webovej lokality",
"option": {
"feedUrl": {
"label": "Adresa URL"
},
"hasAutoPlay": {
"label": "Automatické prehrávanie"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Dátum pridania"
},
"downSpeed": {
"columnTitle": "Dole",
"detailsTitle": "Rýchlosť sťahovania"
},
"integration": {
"columnTitle": "Integrácia"
},
"progress": {
"columnTitle": "Stav"
},
"ratio": {
"columnTitle": "Pomer"
},
"state": {
"columnTitle": "Stav"
},
"upSpeed": {
"columnTitle": "Hore"
}
},
"states": {
"downloading": "Sťahovanie",
"queued": "V poradí",
"paused": "Pozastavené",
"completed": "Dokončené",
"unknown": "Neznámy"
}
},
"mediaRequests-requestList": {
"description": "Zobrazenie zoznamu všetkých mediálnych požiadaviek z Overseerr alebo Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Otvorenie odkazov v novej karte"
}
},
"availability": {
"unknown": "Neznámy",
"partiallyAvailable": "Čiastočný",
"available": "K dispozícii"
}
},
"mediaRequests-requestStats": {
"description": "Štatistiky o vašich požiadavkách na médiá",
"titles": {
"stats": {
"main": "Štatistiky médií",
"approved": "Už schválené",
"pending": "Čakajúce na schválenie",
"tv": "TV požiadavky",
"movie": "Filmové požiadavky",
"total": "Celkom"
},
"users": {
"main": "Najlepší používatelia"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Aplikácie"
},
"screenSize": {
"option": {
"sm": "Malé",
"md": "Stredné",
"lg": "Veľké"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Pripojenie obrázku na pozadí"
},
"backgroundImageSize": {
"label": "Veľkosť obrázka na pozadí"
},
"primaryColor": {
"label": "Hlavná farba"
},
"secondaryColor": {
"label": "Sekundárna farba"
},
"customCss": {
"description": "Ďalej si prispôsobte ovládací panel pomocou CSS, odporúča sa len pre skúsených používateľov"
},
"name": {
"label": "Názov"
},
"isPublic": {
"label": "Verejné"
}
},
"setting": {
"section": {
"general": {
"title": "Všeobecné"
},
"layout": {
"title": "Rozloženie"
},
"background": {
"title": "Pozadie"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Zobraziť tabuľu"
}
}
}
},
"dangerZone": {
"title": "Nebezpečná zóna",
"action": {
"delete": {
"confirm": {
"title": "Odstrániť dosku"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Domovská stránka",
"boards": "Dosky",
"apps": "Aplikácie",
"users": {
"label": "Používatelia",
"items": {
"manage": "Spravovať",
"invites": "Pozvánky"
}
},
"tools": {
"label": "Nástroje",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Nastavenia",
"help": {
"label": "Pomocník",
"items": {
"documentation": "Dokumentácia",
"discord": "Diskord Spoločenstva"
}
},
"about": "O aplikácii"
}
},
"page": {
"home": {
"statistic": {
"board": "Dosky",
"user": "Používatelia",
"invite": "Pozvánky",
"app": "Aplikácie"
},
"statisticLabel": {
"boards": "Dosky"
}
},
"board": {
"title": "Vaše dosky",
"action": {
"settings": {
"label": "Nastavenia"
},
"setHomeBoard": {
"badge": {
"label": "Domovská stránka"
}
},
"delete": {
"label": "Odstrániť natrvalo",
"confirm": {
"title": "Odstrániť dosku"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Názov"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Všeobecné",
"item": {
"firstDayOfWeek": "Prvý deň v týždni",
"accessibility": "Prístupnosť"
}
},
"security": {
"title": "Bezpečnosť"
},
"board": {
"title": "Dosky"
}
},
"list": {
"metaTitle": "Spravovať používateľov",
"title": "Používatelia"
},
"create": {
"metaTitle": "Vytvoriť užívateľa",
"step": {
"security": {
"label": "Bezpečnosť"
}
}
},
"invite": {
"title": "Správa pozvánok používateľov",
"action": {
"new": {
"description": "Po vypršaní platnosti pozvánky už nebude platná a príjemca pozvánky si nebude môcť vytvoriť účet."
},
"copy": {
"link": "Odkaz na pozvánku"
},
"delete": {
"title": "Odstránenie pozvánky",
"description": "Ste si istí, že chcete túto pozvánku vymazať? Používatelia s týmto odkazom si už nebudú môcť vytvoriť účet pomocou tohto odkazu."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Autor"
},
"expirationDate": {
"label": "Dátum vypršania"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Všeobecné"
}
}
},
"settings": {
"title": "Nastavenia"
},
"tool": {
"tasks": {
"status": {
"running": "Spustené",
"error": "Chyba"
},
"job": {
"mediaServer": {
"label": "Multimediálny Server"
},
"mediaRequests": {
"label": "Žiadosti médií"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokumentácia"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "Kontajnery",
"field": {
"name": {
"label": "Názov"
},
"state": {
"label": "Stav",
"option": {
"created": "Vytvorené",
"running": "Spustené",
"paused": "Pozastavené",
"restarting": "Reštartovanie",
"removing": "Odstraňujem"
}
},
"containerImage": {
"label": "Obraz"
},
"ports": {
"label": "Porty"
}
},
"action": {
"start": {
"label": "Spustiť"
},
"stop": {
"label": "Zastaviť"
},
"restart": {
"label": "Reštartovať"
},
"remove": {
"label": "Odstrániť"
}
}
},
"permission": {
"tab": {
"user": "Používatelia"
},
"field": {
"user": {
"label": "Používateľ"
}
}
},
"navigationStructure": {
"manage": {
"label": "Spravovať",
"boards": {
"label": "Dosky"
},
"integrations": {
"edit": {
"label": "Upraviť"
}
},
"search-engines": {
"edit": {
"label": "Upraviť"
}
},
"apps": {
"label": "Aplikácie",
"edit": {
"label": "Upraviť"
}
},
"users": {
"label": "Používatelia",
"create": {
"label": "Vytvoriť"
},
"general": "Všeobecné",
"security": "Bezpečnosť",
"board": "Dosky",
"invites": {
"label": "Pozvánky"
}
},
"tools": {
"label": "Nástroje",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Nastavenia"
},
"about": {
"label": "O aplikácii"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Aplikácie"
},
"board": {
"title": "Dosky"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrenty"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Pomocník",
"option": {
"documentation": {
"label": "Dokumentácia"
},
"discord": {
"label": "Diskord Spoločenstva"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Spravovať používateľov"
},
"about": {
"label": "O aplikácii"
},
"preferences": {
"label": "Vaše preferencie"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Používatelia"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Názov"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Uporabniki",
"name": "Uporabnik",
"field": {
"email": {
"label": "E-naslov"
},
"username": {
"label": "Uporabniško ime"
},
"password": {
"label": "Geslo",
"requirement": {
"lowercase": "Vključuje male črke",
"uppercase": "Vključuje velike tiskane črke",
"number": "Vključuje število"
}
},
"passwordConfirm": {
"label": "Potrditev gesla"
}
},
"action": {
"login": {
"label": "Prijava"
},
"register": {
"label": "Ustvarite račun",
"notification": {
"success": {
"title": "Ustvarjen račun"
}
}
},
"create": "Ustvari uporabnika"
}
},
"group": {
"field": {
"name": "Ime"
},
"permission": {
"admin": {
"title": "Admin"
},
"board": {
"title": "Deske"
}
}
},
"app": {
"page": {
"list": {
"title": "Aplikacije"
}
},
"field": {
"name": {
"label": "Ime"
}
}
},
"integration": {
"field": {
"name": {
"label": "Ime"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Nepravilen URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Uporabniško ime"
},
"password": {
"label": "Geslo",
"newLabel": "Novo geslo"
}
}
}
},
"media": {
"field": {
"name": "Ime",
"size": "Velikost",
"creator": "Ustvarjalec"
}
},
"common": {
"error": "Napaka",
"action": {
"add": "Dodaj",
"apply": "Uporabi",
"create": "Ustvarite spletno stran",
"edit": "Uredi",
"insert": "Vstavite",
"remove": "Odstrani",
"save": "Shrani",
"saveChanges": "Shranjevanje sprememb",
"cancel": "Prekliči",
"delete": "Izbriši",
"confirm": "Potrdi",
"previous": "Prejšnji",
"next": "Naslednji",
"tryAgain": "Poskusite znova"
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "Vaše želje",
"login": "Prijava"
}
},
"dangerZone": "Nevarno območje",
"noResults": "Ni rezultatov",
"zod": {
"errors": {
"default": "To polje je neveljavno",
"required": "To polje je obvezno",
"string": {
"startsWith": "To polje se mora začeti s {startsWith}.",
"endsWith": "To polje se mora končati s {endsWith}.",
"includes": "To polje mora vsebovati {includes}."
},
"tooSmall": {
"string": "To polje mora biti dolgo vsaj {minimum} znakov.",
"number": "To polje mora biti večje ali enako {minimum}"
},
"tooBig": {
"string": "To polje mora biti dolgo največ {maximum} znakov.",
"number": "To polje mora biti manjše ali enako {maximum}."
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Ime"
}
},
"action": {
"moveUp": "Premaknite se navzgor",
"moveDown": "Premaknite se navzdol"
},
"menu": {
"label": {
"changePosition": "Spremeni položaj"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Nastavitve"
}
},
"moveResize": {
"field": {
"width": {
"label": "Širina"
},
"height": {
"label": "Višina"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Odprite v novem zavihku"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Postavitev",
"option": {
"row": {
"label": "Vodoravno"
},
"column": {
"label": "Navpično"
}
}
}
},
"data": {
"adsBlockedToday": "Blokirano danes",
"adsBlockedTodayPercentage": "Blokirano danes",
"dnsQueriesToday": "Poizvedbe danes"
}
},
"dnsHoleControls": {
"description": "Nadzorujte PiHole ali AdGuard iz nadzorne plošče",
"option": {
"layout": {
"label": "Postavitev",
"option": {
"row": {
"label": "Vodoravno"
},
"column": {
"label": "Navpično"
}
}
}
},
"controls": {
"set": "",
"enabled": "Omogočeno",
"disabled": "Invalidi",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "Prikaže trenutni datum in čas.",
"option": {
"timezone": {
"label": "Časovni pas"
}
}
},
"notebook": {
"name": "Beležnica",
"option": {
"showToolbar": {
"label": "Prikaži orodno vrstico za pomoč pri pisanju markdowna"
},
"allowReadOnlyCheck": {
"label": "Dovolite preverjanje v načinu samo za branje"
},
"content": {
"label": "Vsebina zvezka"
}
},
"controls": {
"bold": "Krepko",
"italic": "Kurzivna pisava",
"strikethrough": "Prečrtano",
"underline": "Podčrtajte",
"colorText": "Barvno besedilo",
"colorHighlight": "Barvni poudarek besedila",
"code": "Koda",
"clear": "Jasno oblikovanje",
"heading": "Naslov {level}",
"align": "Poravnava besedila: {position}",
"blockquote": "Blokovni citat",
"horizontalLine": "Vodoravna črta",
"bulletList": "Seznam kroglic",
"orderedList": "Naročeni seznam",
"checkList": "Kontrolni seznam",
"increaseIndent": "Povečanje odmika",
"decreaseIndent": "Zmanjšanje odmika",
"link": "Povezava",
"unlink": "Odstrani povezavo",
"image": "Vstavljanje slik",
"addTable": "Dodajte mizo",
"deleteTable": "Brisanje tabele",
"colorCell": "Barvna celica",
"mergeCell": "Preklapljanje združevanja celic",
"addColumnLeft": "Dodajte stolpec pred",
"addColumnRight": "Dodajte stolpec za",
"deleteColumn": "Brisanje stolpca",
"addRowTop": "Dodajte vrstico pred",
"addRowBelow": "Dodajte vrstico za",
"deleteRow": "Brisanje vrstice"
},
"align": {
"left": "Leva stran",
"center": "Center",
"right": "Desno"
},
"popover": {
"clearColor": "Čista barva",
"source": "Vir:",
"widthPlaceholder": "Vrednost v % ali pikslih",
"columns": "Stolpci",
"rows": "Vrstice",
"width": "Širina",
"height": "Višina"
}
},
"iframe": {
"name": "iFrame",
"description": "Vstavite katero koli vsebino iz interneta. Nekatera spletna mesta lahko omejijo dostop.",
"option": {
"embedUrl": {
"label": "URL za vstavljanje"
},
"allowFullScreen": {
"label": "Omogočite celozaslonsko prikazovanje"
},
"allowTransparency": {
"label": "Omogočanje preglednosti"
},
"allowScrolling": {
"label": "Omogočite pomikanje"
},
"allowPayment": {
"label": "Dovolite plačilo"
},
"allowAutoPlay": {
"label": "Dovolite samodejno predvajanje"
},
"allowMicrophone": {
"label": "Dovolite mikrofon"
},
"allowCamera": {
"label": "Dovolite kamero"
},
"allowGeolocation": {
"label": "Omogočanje zemljepisne lokacije"
}
},
"error": {
"noBrowerSupport": "Vaš brskalnik ne podpira iframov. Posodobite svoj brskalnik."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "ID subjekta"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Prikaži ime"
},
"automationId": {
"label": ""
}
}
},
"calendar": {
"name": "Koledar",
"option": {
"releaseType": {
"label": "Tip sprostitve Radarr"
}
}
},
"weather": {
"name": "Vreme",
"description": "Prikaže trenutne vremenske informacije za določeno lokacijo.",
"option": {
"location": {
"label": "Lokacija vremena"
}
},
"kind": {
"clear": "Počisti",
"mainlyClear": "Večinoma jasno",
"fog": "Megla",
"drizzle": "Pršec",
"freezingDrizzle": "Leden pršec",
"rain": "Dež",
"freezingRain": "Ledeni dež",
"snowFall": "Padec snega",
"snowGrains": "Snežna zrna",
"rainShowers": "Deževni nalivi",
"snowShowers": "Snežne plohe",
"thunderstorm": "Nevihta",
"thunderstormWithHail": "Nevihta s točo",
"unknown": "Neznano"
}
},
"indexerManager": {
"name": "",
"title": "",
"testAll": ""
},
"healthMonitoring": {
"name": "",
"description": "",
"option": {
"fahrenheit": {
"label": ""
},
"cpu": {
"label": ""
},
"memory": {
"label": ""
},
"fileSystem": {
"label": ""
}
},
"popover": {
"available": ""
}
},
"common": {
"location": {
"search": "Iskanje",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Neznano"
}
}
}
},
"video": {
"name": "Video tok",
"description": "Vstavljanje videoprenosa ali videoposnetka iz kamere ali spletnega mesta",
"option": {
"feedUrl": {
"label": "URL vira"
},
"hasAutoPlay": {
"label": "Samodejno predvajanje"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": ""
},
"downSpeed": {
"columnTitle": "Dol",
"detailsTitle": "Hitrost prenosa"
},
"integration": {
"columnTitle": "Integracija"
},
"progress": {
"columnTitle": "Napredek"
},
"ratio": {
"columnTitle": "Razmerje"
},
"state": {
"columnTitle": "Stanje"
},
"upSpeed": {
"columnTitle": "Gor"
}
},
"states": {
"downloading": "Prenašanje spletne strani",
"queued": "",
"paused": "Začasno ustavljeno",
"completed": "Zaključeno",
"unknown": "Neznano"
}
},
"mediaRequests-requestList": {
"description": "Oglejte si seznam vseh zahtevkov za medije iz vašega primera Overseerr ali Jellyseerr.",
"option": {
"linksTargetNewTab": {
"label": "Odprite povezave v novem zavihku"
}
},
"availability": {
"unknown": "Neznano",
"partiallyAvailable": "",
"available": ""
}
},
"mediaRequests-requestStats": {
"description": "Statistični podatki o vaših zahtevah za medije",
"titles": {
"stats": {
"main": "Statistika medijev",
"approved": "Že odobreno",
"pending": "Odobritve, ki čakajo na odobritev",
"tv": "Prošnje za televizijo",
"movie": "Prošnje za filme",
"total": "Skupaj"
},
"users": {
"main": "Najboljši uporabniki"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Aplikacije"
},
"screenSize": {
"option": {
"sm": "Majhna",
"md": "Srednja",
"lg": "Velika"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Pritrditev slike v ozadju"
},
"backgroundImageSize": {
"label": "Velikost slike v ozadju"
},
"primaryColor": {
"label": "Osnovna barva"
},
"secondaryColor": {
"label": "Sekundarna barva"
},
"customCss": {
"description": "Dadatno prilagodite pogled s CSS. Priporočljivo le za izkušene uporabnike"
},
"name": {
"label": "Ime"
},
"isPublic": {
"label": "Javna stran"
}
},
"setting": {
"section": {
"general": {
"title": "Splošno"
},
"layout": {
"title": "Postavitev"
},
"background": {
"title": "Ozadje"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Ogled tablice"
}
}
}
},
"dangerZone": {
"title": "Nevarno območje",
"action": {
"delete": {
"confirm": {
"title": "Izbriši tablo"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Domov",
"boards": "Deske",
"apps": "Aplikacije",
"users": {
"label": "Uporabniki",
"items": {
"manage": "Upravljanje",
"invites": "Vabi"
}
},
"tools": {
"label": "Orodja",
"items": {
"docker": "Docker",
"api": ""
}
},
"settings": "Nastavitve",
"help": {
"label": "Pomoč",
"items": {
"documentation": "Dokumentacija",
"discord": "Skupnost Discord"
}
},
"about": "O programu"
}
},
"page": {
"home": {
"statistic": {
"board": "Deske",
"user": "Uporabniki",
"invite": "Vabi",
"app": "Aplikacije"
},
"statisticLabel": {
"boards": "Deske"
}
},
"board": {
"title": "Vaše table",
"action": {
"settings": {
"label": "Nastavitve"
},
"setHomeBoard": {
"badge": {
"label": "Domov"
}
},
"delete": {
"label": "Trajno izbriši",
"confirm": {
"title": "Izbriši tablo"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Ime"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Splošno",
"item": {
"firstDayOfWeek": "Prvi dan v tednu",
"accessibility": "Dostopnost"
}
},
"security": {
"title": "Varnost"
},
"board": {
"title": "Deske"
}
},
"list": {
"metaTitle": "Upravljanje uporabnikov",
"title": "Uporabniki"
},
"create": {
"metaTitle": "Ustvari uporabnika",
"step": {
"security": {
"label": "Varnost"
}
}
},
"invite": {
"title": "Upravljanje povabil uporabnikov",
"action": {
"new": {
"description": "Po izteku veljavnosti vabilo ne bo več veljavno in prejemnik vabila ne bo mogel ustvariti računa."
},
"copy": {
"link": "Povezava na vabilo"
},
"delete": {
"title": "Brisanje povabila",
"description": "Ali ste prepričani, da želite izbrisati to vabilo? Uporabniki s to povezavo ne bodo mogli več ustvariti računa z uporabo te povezave."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Ustvarjalec"
},
"expirationDate": {
"label": "Datum izteka veljavnosti"
},
"token": {
"label": "Žeton"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Splošno"
}
}
},
"settings": {
"title": "Nastavitve"
},
"tool": {
"tasks": {
"status": {
"running": "Se izvaja",
"error": "Napaka"
},
"job": {
"mediaServer": {
"label": "Predstavnostni strežnik"
},
"mediaRequests": {
"label": "Zahteve za medije"
}
}
},
"api": {
"title": "",
"tab": {
"documentation": {
"label": "Dokumentacija"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "Ime"
},
"state": {
"label": "Stanje",
"option": {
"created": "Ustvarjeno",
"running": "Se izvaja",
"paused": "Začasno ustavljeno",
"restarting": "Ponovno zaganjam",
"removing": "Odstranjujem"
}
},
"containerImage": {
"label": "Slika"
},
"ports": {
"label": "Vrata"
}
},
"action": {
"start": {
"label": "Zaženi"
},
"stop": {
"label": "Ustavi"
},
"restart": {
"label": "Ponovno zaženi"
},
"remove": {
"label": "Odstrani"
}
}
},
"permission": {
"tab": {
"user": "Uporabniki"
},
"field": {
"user": {
"label": "Uporabnik"
}
}
},
"navigationStructure": {
"manage": {
"label": "Upravljanje",
"boards": {
"label": "Deske"
},
"integrations": {
"edit": {
"label": "Uredi"
}
},
"search-engines": {
"edit": {
"label": "Uredi"
}
},
"apps": {
"label": "Aplikacije",
"edit": {
"label": "Uredi"
}
},
"users": {
"label": "Uporabniki",
"create": {
"label": "Ustvarite spletno stran"
},
"general": "Splošno",
"security": "Varnost",
"board": "Deske",
"invites": {
"label": "Vabi"
}
},
"tools": {
"label": "Orodja",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Nastavitve"
},
"about": {
"label": "O programu"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Aplikacije"
},
"board": {
"title": "Deske"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrenti"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Pomoč",
"option": {
"documentation": {
"label": "Dokumentacija"
},
"discord": {
"label": "Skupnost Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Upravljanje uporabnikov"
},
"about": {
"label": "O programu"
},
"preferences": {
"label": "Vaše želje"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Uporabniki"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Ime"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Användare",
"name": "Användare",
"field": {
"email": {
"label": "E-post"
},
"username": {
"label": "Användarnamn"
},
"password": {
"label": "Lösenord",
"requirement": {
"lowercase": "Inkluderar liten bokstav",
"uppercase": "Inkluderar stor bokstav",
"number": "Inkluderar nummer"
}
},
"passwordConfirm": {
"label": "Bekräfta lösenord"
}
},
"action": {
"login": {
"label": "Logga in"
},
"register": {
"label": "Skapa konto",
"notification": {
"success": {
"title": "Konto skapat"
}
}
},
"create": "Skapa användare"
}
},
"group": {
"field": {
"name": "Namn"
},
"permission": {
"admin": {
"title": "Admin"
},
"board": {
"title": "Tavlor"
}
}
},
"app": {
"page": {
"list": {
"title": "Appar"
}
},
"field": {
"name": {
"label": "Namn"
}
}
},
"integration": {
"field": {
"name": {
"label": "Namn"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Ogiltig URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Användarnamn"
},
"password": {
"label": "Lösenord",
"newLabel": "Nytt lösenord"
}
}
}
},
"media": {
"field": {
"name": "Namn",
"size": "Storlek",
"creator": "Skapare"
}
},
"common": {
"error": "Fel",
"action": {
"add": "Lägg till",
"apply": "Verkställ",
"create": "Skapa",
"edit": "Redigera",
"insert": "Infoga",
"remove": "Ta bort",
"save": "Spara",
"saveChanges": "Spara ändringar",
"cancel": "Avbryt",
"delete": "Radera",
"confirm": "Bekräfta",
"previous": "Föregående",
"next": "Nästa",
"tryAgain": "Försök igen"
},
"information": {
"hours": "Timmar",
"minutes": "Minuter"
},
"userAvatar": {
"menu": {
"preferences": "Dina Inställningar",
"login": "Logga in"
}
},
"dangerZone": "Farozon",
"noResults": "Hittade inga resultat",
"zod": {
"errors": {
"default": "Fältet är ogiltigt",
"required": "Detta fält är obligatoriskt",
"string": {
"startsWith": "Det här fältet måste börja med {startsWith}",
"endsWith": "Detta fält måste sluta med {endsWith}",
"includes": "Detta fält måste innehålla {includes}"
},
"tooSmall": {
"string": "Detta fält måste vara minst {minimum} tecken långt",
"number": "Detta fält måste vara större än eller lika med {minimum}"
},
"tooBig": {
"string": "Detta fält får vara högst {maximum} tecken långt",
"number": "Detta fält måste vara mindre än eller lika med {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Namn"
}
},
"action": {
"moveUp": "Flytta uppåt",
"moveDown": "Flytta nedåt"
},
"menu": {
"label": {
"changePosition": "Ändra position"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Inställningar"
}
},
"moveResize": {
"field": {
"width": {
"label": "Bredd"
},
"height": {
"label": "Höjd"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Öppna i ny flik"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Layout",
"option": {
"row": {
"label": "Horisontal"
},
"column": {
"label": "Vertikal"
}
}
}
},
"data": {
"adsBlockedToday": "Blockerade idag",
"adsBlockedTodayPercentage": "Blockerade idag",
"dnsQueriesToday": "Förfrågningar idag"
}
},
"dnsHoleControls": {
"description": "Styr PiHole eller AdGuard från din instrumentpanel",
"option": {
"layout": {
"label": "Layout",
"option": {
"row": {
"label": "Horisontal"
},
"column": {
"label": "Vertikal"
}
}
}
},
"controls": {
"set": "Ställ in",
"enabled": "Aktiverad",
"disabled": "Inaktiverad",
"hours": "Timmar",
"minutes": "Minuter"
}
},
"clock": {
"description": "Visar aktuellt datum och tid.",
"option": {
"timezone": {
"label": "Tidszon"
}
}
},
"notebook": {
"name": "Anteckningsbok",
"option": {
"showToolbar": {
"label": "Visa verktygsfältet för att hjälpa dig skriva markdown"
},
"allowReadOnlyCheck": {
"label": "Tillåt check i skrivskyddat läge"
},
"content": {
"label": "Innehållet i anteckningsboken"
}
},
"controls": {
"bold": "Fet",
"italic": "Kursiv",
"strikethrough": "Genomstruken",
"underline": "Understruken",
"colorText": "Textfärg",
"colorHighlight": "Färgad markerad text",
"code": "Kod",
"clear": "Rensa formatering",
"heading": "Rubrik {level}",
"align": "Justera text: {position}",
"blockquote": "Blockcitat",
"horizontalLine": "Horisontell linje",
"bulletList": "Punktlista",
"orderedList": "Sorterad lista",
"checkList": "Checklista",
"increaseIndent": "Öka indrag",
"decreaseIndent": "Minska indrag",
"link": "Länk",
"unlink": "Ta bort länk",
"image": "Bädda in bild",
"addTable": "Lägg till tabell",
"deleteTable": "Ta bort tabell",
"colorCell": "Färga cell",
"mergeCell": "Växla sammanslagning av celler",
"addColumnLeft": "Lägg till kolumn före",
"addColumnRight": "Lägg till kolumn efter",
"deleteColumn": "Radera kolumn",
"addRowTop": "Lägg till rad före",
"addRowBelow": "Lägg till rad efter",
"deleteRow": "Radera rad"
},
"align": {
"left": "Vänster",
"center": "Centrera",
"right": "Höger"
},
"popover": {
"clearColor": "Rensa färg",
"source": "Källa",
"widthPlaceholder": "Värde i % eller pixlar",
"columns": "Kolumner",
"rows": "Rader",
"width": "Bredd",
"height": "Höjd"
}
},
"iframe": {
"name": "iFrame",
"description": "Bädda in valfritt innehåll från internet. Vissa webbplatser kan begränsa åtkomsten.",
"option": {
"embedUrl": {
"label": "Inbäddad URL"
},
"allowFullScreen": {
"label": "Tillåt helskärm"
},
"allowTransparency": {
"label": "Tillåt opacitet"
},
"allowScrolling": {
"label": "Tillåt scrollning"
},
"allowPayment": {
"label": "Tillåt betalning"
},
"allowAutoPlay": {
"label": "Tillåt automatisk uppspelning"
},
"allowMicrophone": {
"label": "Tillåt mikrofon"
},
"allowCamera": {
"label": "Tillåt kamera"
},
"allowGeolocation": {
"label": "Tillåt geolokalisering"
}
},
"error": {
"noBrowerSupport": "Din webbläsare stöder inte iframes. Vänligen uppdatera din webbläsare."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Enhets-ID"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Visningsnamn"
},
"automationId": {
"label": "Automations-ID"
}
}
},
"calendar": {
"name": "Kalender",
"option": {
"releaseType": {
"label": "Radarr releasetyp"
}
}
},
"weather": {
"name": "Väder",
"description": "Visar aktuell väderinformation för en bestämd plats.",
"option": {
"location": {
"label": "Plats för väder"
}
},
"kind": {
"clear": "Klart",
"mainlyClear": "Främst klart",
"fog": "Dimma",
"drizzle": "Duggregn",
"freezingDrizzle": "Underkylt duggregn",
"rain": "Regn",
"freezingRain": "Underkylt regn",
"snowFall": "Snöfall",
"snowGrains": "Snökorn",
"rainShowers": "Regnskurar",
"snowShowers": "Snöblandat regn",
"thunderstorm": "Åska",
"thunderstormWithHail": "Åskväder med hagel",
"unknown": "Okänd"
}
},
"indexerManager": {
"name": "Status för indexeringshanteraren",
"title": "Indexeringshanterare",
"testAll": "Testa alla"
},
"healthMonitoring": {
"name": "Övervakning av systemhälsan",
"description": "Visar information som visar hälsa och status för ditt/dina system.",
"option": {
"fahrenheit": {
"label": "CPU-temperatur i Fahrenheit"
},
"cpu": {
"label": "Visa CPU-information"
},
"memory": {
"label": "Visa minnesinformation"
},
"fileSystem": {
"label": "Visa information om filsystemet"
}
},
"popover": {
"available": "Tillgänglig"
}
},
"common": {
"location": {
"search": "Sök",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Okänd"
}
}
}
},
"video": {
"name": "Videoström",
"description": "Bädda in en videoström eller video från en kamera eller en webbplats",
"option": {
"feedUrl": {
"label": "Flödes-URL"
},
"hasAutoPlay": {
"label": "Automatisk uppspelning"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Datum tillagt"
},
"downSpeed": {
"columnTitle": "Ned",
"detailsTitle": "Nedladdningshastighet "
},
"integration": {
"columnTitle": "Integration"
},
"progress": {
"columnTitle": "Förlopp"
},
"ratio": {
"columnTitle": "Förhållande"
},
"state": {
"columnTitle": "Läge"
},
"upSpeed": {
"columnTitle": "Upp"
}
},
"states": {
"downloading": "Laddar ner",
"queued": "Köad",
"paused": "Pausad",
"completed": "Slutförd",
"unknown": "Okänd"
}
},
"mediaRequests-requestList": {
"description": "Se en lista över alla medieförfrågningar från din Overseerr- eller Jellyseerr-instans",
"option": {
"linksTargetNewTab": {
"label": "Öppna länkar i ny flik"
}
},
"availability": {
"unknown": "Okänd",
"partiallyAvailable": "Delvis",
"available": "Tillgänglig"
}
},
"mediaRequests-requestStats": {
"description": "Statistik över dina medieförfrågningar",
"titles": {
"stats": {
"main": "Mediestatistik",
"approved": "Redan godkänd",
"pending": "Väntar på godkännande",
"tv": "TV-förfrågningar",
"movie": "Filmförfrågningar",
"total": "Totalt"
},
"users": {
"main": "Toppanvändare"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Appar"
},
"screenSize": {
"option": {
"sm": "Liten",
"md": "Mellan",
"lg": "Stor"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Bilaga till bakgrundsbild"
},
"backgroundImageSize": {
"label": "Storlek på bakgrundsbild"
},
"primaryColor": {
"label": "Primärfärg"
},
"secondaryColor": {
"label": "Sekundärfärg"
},
"customCss": {
"description": "Vidare kan du anpassa din instrumentpanel med CSS, vilket endast rekommenderas för erfarna användare"
},
"name": {
"label": "Namn"
},
"isPublic": {
"label": "Publik"
}
},
"setting": {
"section": {
"general": {
"title": "Allmänt"
},
"layout": {
"title": "Layout"
},
"background": {
"title": "Bakgrund"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Visa tavlan"
}
}
}
},
"dangerZone": {
"title": "Farozon",
"action": {
"delete": {
"confirm": {
"title": "Ta bort tavla"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Hem",
"boards": "Tavlor",
"apps": "Appar",
"users": {
"label": "Användare",
"items": {
"manage": "Hantera",
"invites": "Inbjudningar"
}
},
"tools": {
"label": "Verktyg",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Inställningar",
"help": {
"label": "Hjälp",
"items": {
"documentation": "Dokumentation",
"discord": "Gemenskapens Discord"
}
},
"about": "Om"
}
},
"page": {
"home": {
"statistic": {
"board": "Tavlor",
"user": "Användare",
"invite": "Inbjudningar",
"app": "Appar"
},
"statisticLabel": {
"boards": "Tavlor"
}
},
"board": {
"title": "Dina tavlor",
"action": {
"settings": {
"label": "Inställningar"
},
"setHomeBoard": {
"badge": {
"label": "Hem"
}
},
"delete": {
"label": "Radera permanent",
"confirm": {
"title": "Ta bort tavla"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Namn"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Allmänt",
"item": {
"firstDayOfWeek": "Första veckodagen",
"accessibility": "Tillgänglighet"
}
},
"security": {
"title": "Säkerhet"
},
"board": {
"title": "Tavlor"
}
},
"list": {
"metaTitle": "Hantera användare",
"title": "Användare"
},
"create": {
"metaTitle": "Skapa användare",
"step": {
"security": {
"label": "Säkerhet"
}
}
},
"invite": {
"title": "Hantera användarinbjudningar",
"action": {
"new": {
"description": "Efter utgångsdatumet är en inbjudan inte längre giltig och mottagaren av inbjudan kan inte skapa ett konto."
},
"copy": {
"link": "Inbjudningslänk"
},
"delete": {
"title": "Ta bort inbjudan",
"description": "Är du säker på att du vill ta bort den här inbjudan? Användare med den här länken kommer inte längre att kunna skapa ett konto med hjälp av den länken."
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "Skapare"
},
"expirationDate": {
"label": "Utgångsdatum"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Allmänt"
}
}
},
"settings": {
"title": "Inställningar"
},
"tool": {
"tasks": {
"status": {
"running": "Körs",
"error": "Fel"
},
"job": {
"mediaServer": {
"label": "Mediaserver"
},
"mediaRequests": {
"label": "Media-förfrågningar"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokumentation"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "Containers",
"field": {
"name": {
"label": "Namn"
},
"state": {
"label": "Läge",
"option": {
"created": "Skapad",
"running": "Körs",
"paused": "Pausad",
"restarting": "Startar om",
"removing": "Tar bort"
}
},
"containerImage": {
"label": "Image"
},
"ports": {
"label": "Portar"
}
},
"action": {
"start": {
"label": "Starta"
},
"stop": {
"label": "Stoppa"
},
"restart": {
"label": "Starta om"
},
"remove": {
"label": "Ta bort"
}
}
},
"permission": {
"tab": {
"user": "Användare"
},
"field": {
"user": {
"label": "Användare"
}
}
},
"navigationStructure": {
"manage": {
"label": "Hantera",
"boards": {
"label": "Tavlor"
},
"integrations": {
"edit": {
"label": "Redigera"
}
},
"search-engines": {
"edit": {
"label": "Redigera"
}
},
"apps": {
"label": "Appar",
"edit": {
"label": "Redigera"
}
},
"users": {
"label": "Användare",
"create": {
"label": "Skapa"
},
"general": "Allmänt",
"security": "Säkerhet",
"board": "Tavlor",
"invites": {
"label": "Inbjudningar"
}
},
"tools": {
"label": "Verktyg",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Inställningar"
},
"about": {
"label": "Om"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Appar"
},
"board": {
"title": "Tavlor"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrents"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Hjälp",
"option": {
"documentation": {
"label": "Dokumentation"
},
"discord": {
"label": "Gemenskapens Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Hantera användare"
},
"about": {
"label": "Om"
},
"preferences": {
"label": "Dina Inställningar"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Användare"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Namn"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Kullanıcılar",
"name": "Kullanıcı",
"field": {
"email": {
"label": "E-Posta"
},
"username": {
"label": "Kullanıcı adı"
},
"password": {
"label": "Şifre",
"requirement": {
"lowercase": "Küçük harf içermeli",
"uppercase": "Büyük harf içermeli",
"number": "Rakam içermeli"
}
},
"passwordConfirm": {
"label": "Şifreyi onayla"
}
},
"action": {
"login": {
"label": "Giriş"
},
"register": {
"label": "Hesap oluştur",
"notification": {
"success": {
"title": "Hesap oluşturuldu"
}
}
},
"create": "Kullanıcı ekle"
}
},
"group": {
"field": {
"name": "İsim"
},
"permission": {
"admin": {
"title": "Yönetici"
},
"board": {
"title": "Paneller"
}
}
},
"app": {
"page": {
"list": {
"title": "Uygulamalar"
}
},
"field": {
"name": {
"label": "İsim"
}
}
},
"integration": {
"field": {
"name": {
"label": "İsim"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Geçersiz URL"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Kullanıcı adı"
},
"password": {
"label": "Şifre",
"newLabel": "Yeni parola"
}
}
}
},
"media": {
"field": {
"name": "İsim",
"size": "Boyut",
"creator": "Oluşturan"
}
},
"common": {
"error": "Hata",
"action": {
"add": "Ekle",
"apply": "Uygula",
"create": "Oluştur",
"edit": "Düzenle",
"insert": "Ekle",
"remove": "Kaldır",
"save": "Kaydet",
"saveChanges": "Değişiklikleri kaydet",
"cancel": "Vazgeç",
"delete": "Sil",
"confirm": "Onayla",
"previous": "Önceki",
"next": "İleri",
"tryAgain": "Tekrar Deneyin"
},
"information": {
"hours": "Saat",
"minutes": "Dakika"
},
"userAvatar": {
"menu": {
"preferences": "Tercihleriniz",
"login": "Giriş"
}
},
"dangerZone": "Tehlikeli bölge",
"noResults": "Sonuç bulunamadı",
"zod": {
"errors": {
"default": "Bu alan geçersiz",
"required": "Bu alan gereklidir",
"string": {
"startsWith": "Bu alan {startsWith} ile başlamalıdır",
"endsWith": "Bu alan {endsWith} ile bitmelidir",
"includes": "Bu alan {includes} adresini içermelidir"
},
"tooSmall": {
"string": "Bu alan en az {minimum} karakter uzunluğunda olmalıdır",
"number": "Bu alan {minimum} adresinden uzun veya eşit olmalıdır"
},
"tooBig": {
"string": "Bu alan en fazla {maximum} karakter uzunluğunda olmalıdır",
"number": "Bu alan {maximum} adresinden kısa veya eşit olmalıdır"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "İsim"
}
},
"action": {
"moveUp": "Yukarı taşı",
"moveDown": "Aşağı taşı"
},
"menu": {
"label": {
"changePosition": "Pozisyonu değiştir"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Ayarlar"
}
},
"moveResize": {
"field": {
"width": {
"label": "Genişlik"
},
"height": {
"label": "Yükseklik"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Yeni sekmede aç"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Düzen",
"option": {
"row": {
"label": "Yatay"
},
"column": {
"label": "Dikey"
}
}
}
},
"data": {
"adsBlockedToday": "Bugün engellenenler",
"adsBlockedTodayPercentage": "Bugün engellenenler",
"dnsQueriesToday": "Bugünkü Sorgular"
}
},
"dnsHoleControls": {
"description": "Kontrol panelinizden PiHole veya AdGuard'ı kontrol edin",
"option": {
"layout": {
"label": "Düzen",
"option": {
"row": {
"label": "Yatay"
},
"column": {
"label": "Dikey"
}
}
}
},
"controls": {
"set": "Ayarla",
"enabled": "Etkin",
"disabled": "Pasif",
"hours": "Saat",
"minutes": "Dakika"
}
},
"clock": {
"description": "Geçerli tarih ve saati görüntüler.",
"option": {
"timezone": {
"label": "Saat dilimi"
}
}
},
"notebook": {
"name": "Not defteri",
"option": {
"showToolbar": {
"label": "Markdown'da yazarken size yardımcı olacak araç çubuğunu aktif edin"
},
"allowReadOnlyCheck": {
"label": "Salt okunur modda onay kutusu işaretlemeye izin ver"
},
"content": {
"label": "Not defterinin içeriği"
}
},
"controls": {
"bold": "Kalın",
"italic": "İtalik",
"strikethrough": "Üstü Çizgili",
"underline": "Alt Çizgili",
"colorText": "Renkli metin",
"colorHighlight": "Renkli vurgulu metin",
"code": "Kod",
"clear": "Biçimlendirmeyi temizle",
"heading": "Başlık {level}",
"align": "Metin hizalama: {position}",
"blockquote": "Blok alıntı",
"horizontalLine": "Yatay çizgi",
"bulletList": "Maddeli liste",
"orderedList": "Sıralı liste",
"checkList": "Kontrol listesi",
"increaseIndent": "Girintiyi Artır",
"decreaseIndent": "Girintiyi Azalt",
"link": "Bağlantı",
"unlink": "Bağlantıyı kaldır",
"image": "Resim Göm",
"addTable": "Tablo ekle",
"deleteTable": "Tablo Sil",
"colorCell": "Renk Hücresi",
"mergeCell": "Hücre birleştirmeyi aç / kapat",
"addColumnLeft": "Öncesine sütun ekle",
"addColumnRight": "Sonrasına sütun ekle",
"deleteColumn": "Sütunu sil",
"addRowTop": "Öncesine satır ekle",
"addRowBelow": "Sonrasına satır ekle",
"deleteRow": "Satırı sil"
},
"align": {
"left": "Sol",
"center": "Merkez",
"right": "Sağ"
},
"popover": {
"clearColor": "Rengi temizle",
"source": "Kaynak",
"widthPlaceholder": "% veya piksel cinsinden değer",
"columns": "Sütunlar",
"rows": "Satırlar",
"width": "Genişlik",
"height": "Yükseklik"
}
},
"iframe": {
"name": "iFrame",
"description": "İnternetten herhangi bir içeriği yerleştirin. Bazı web siteleri erişimi kısıtlayabilir.",
"option": {
"embedUrl": {
"label": "Yerleştirme URL'si"
},
"allowFullScreen": {
"label": "Tam ekrana izin ver"
},
"allowTransparency": {
"label": "Şeffaflığa İzin Ver"
},
"allowScrolling": {
"label": "Kaydırmaya izin ver"
},
"allowPayment": {
"label": "Ödemeye izin ver"
},
"allowAutoPlay": {
"label": "Otomatik oynatmaya izin ver"
},
"allowMicrophone": {
"label": "Mikrofona izin ver"
},
"allowCamera": {
"label": "Kameraya İzin Ver"
},
"allowGeolocation": {
"label": "Coğrafi konuma izin ver (geolocation)"
}
},
"error": {
"noBrowerSupport": "Tarayıcınız iframe'leri desteklemiyor. Lütfen tarayıcınızı güncelleyin."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "Varlık Kimliği"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Ekran adı"
},
"automationId": {
"label": "Otomasyon Kimliği"
}
}
},
"calendar": {
"name": "Takvim",
"option": {
"releaseType": {
"label": "Radarr yayın türü"
}
}
},
"weather": {
"name": "Hava Durumu",
"description": "Belirlenen bir konumun güncel hava durumu bilgilerini görüntüler.",
"option": {
"location": {
"label": "Hava durumu konumu"
}
},
"kind": {
"clear": "Temiz",
"mainlyClear": "Genel olarak açık",
"fog": "Sis",
"drizzle": "Çiseleme",
"freezingDrizzle": "Soğuk çiseleme",
"rain": "Yağmur",
"freezingRain": "Dondurucu yağmur",
"snowFall": "Kar yağışı",
"snowGrains": "Kar taneleri",
"rainShowers": "Sağanak yağmur",
"snowShowers": "Kar yağışı",
"thunderstorm": "Fırtına",
"thunderstormWithHail": "Fırtına ve dolu",
"unknown": "Bilinmeyen"
}
},
"indexerManager": {
"name": "Dizin oluşturucu yöneticisi statüsü",
"title": "Dizin oluşturucu yöneticisi",
"testAll": "Tümünü test et"
},
"healthMonitoring": {
"name": "Sistem Sağlığı İzleme",
"description": "Sistem(ler)inizin sağlığını ve durumunu gösteren bilgileri görüntüler.",
"option": {
"fahrenheit": {
"label": "Fahrenheit cinsinden CPU Sıcaklığı"
},
"cpu": {
"label": "CPU Bilgilerini Göster"
},
"memory": {
"label": "Bellek Bilgilerini Göster"
},
"fileSystem": {
"label": "Dosya Sistemi Bilgilerini Göster"
}
},
"popover": {
"available": "Mevcut"
}
},
"common": {
"location": {
"search": "Ara",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Bilinmeyen"
}
}
}
},
"video": {
"name": "Video Akışı",
"description": "Bir video akışını veya bir kameradan veya bir web sitesinden video gömün",
"option": {
"feedUrl": {
"label": "Akış URL'si"
},
"hasAutoPlay": {
"label": "Otomatik oynatma"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Ekleme Tarihi"
},
"downSpeed": {
"columnTitle": "İndirme",
"detailsTitle": "İndirme Hızı"
},
"integration": {
"columnTitle": "Entegrasyon"
},
"progress": {
"columnTitle": "İlerleme"
},
"ratio": {
"columnTitle": "Ratio"
},
"state": {
"columnTitle": "Durum"
},
"upSpeed": {
"columnTitle": "Yükleme"
}
},
"states": {
"downloading": "İndiriliyor",
"queued": "Sıraya alındı",
"paused": "Duraklatıldı",
"completed": "Tamamlanan",
"unknown": "Bilinmeyen"
}
},
"mediaRequests-requestList": {
"description": "Overseerr veya Jellyseerr uygulamanızdan gelen tüm medya taleplerinin bir listesini görün",
"option": {
"linksTargetNewTab": {
"label": "Bağlantıları yeni sekmede aç"
}
},
"availability": {
"unknown": "Bilinmeyen",
"partiallyAvailable": "Kısmi",
"available": "Mevcut"
}
},
"mediaRequests-requestStats": {
"description": "Medya taleplerinizle ilgili istatistikler",
"titles": {
"stats": {
"main": "Medya İstatistikleri",
"approved": "Onaylanan",
"pending": "Onay bekleyen",
"tv": "Dizi talepleri",
"movie": "Film talepleri",
"total": "Toplam"
},
"users": {
"main": "En İyi Kullanıcılar"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Uygulamalar"
},
"screenSize": {
"option": {
"sm": "Küçük",
"md": "Orta",
"lg": "Büyük"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Arkaplan resim ekle"
},
"backgroundImageSize": {
"label": "Arkaplan resim boyutu"
},
"primaryColor": {
"label": "Birincil renk"
},
"secondaryColor": {
"label": "İkincil renk"
},
"customCss": {
"description": "Ayrıca, yalnızca deneyimli kullanıcılar için önerilen CSS kullanarak kontrol panelinizi özelleştirin"
},
"name": {
"label": "İsim"
},
"isPublic": {
"label": "Herkese açık"
}
},
"setting": {
"section": {
"general": {
"title": "Genel"
},
"layout": {
"title": "Düzen"
},
"background": {
"title": "Arkaplan"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Panelleri görüntüle"
}
}
}
},
"dangerZone": {
"title": "Tehlikeli bölge",
"action": {
"delete": {
"confirm": {
"title": "Paneli sil"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Ana sayfa",
"boards": "Paneller",
"apps": "Uygulamalar",
"users": {
"label": "Kullanıcılar",
"items": {
"manage": "Yönet",
"invites": "Davetler"
}
},
"tools": {
"label": "Araçlar",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Ayarlar",
"help": {
"label": "Yardım",
"items": {
"documentation": "Dokümantasyon",
"discord": "Discord Topluluğu"
}
},
"about": "Hakkında"
}
},
"page": {
"home": {
"statistic": {
"board": "Paneller",
"user": "Kullanıcılar",
"invite": "Davetler",
"app": "Uygulamalar"
},
"statisticLabel": {
"boards": "Paneller"
}
},
"board": {
"title": "Panelleriniz",
"action": {
"settings": {
"label": "Ayarlar"
},
"setHomeBoard": {
"badge": {
"label": "Ana sayfa"
}
},
"delete": {
"label": "Kalıcı olarak sil",
"confirm": {
"title": "Paneli sil"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "İsim"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Genel",
"item": {
"firstDayOfWeek": "Haftanın ilk günü",
"accessibility": "Erişilebilirlik"
}
},
"security": {
"title": "Güvenlik"
},
"board": {
"title": "Paneller"
}
},
"list": {
"metaTitle": "Kullanıcıları yönet",
"title": "Kullanıcılar"
},
"create": {
"metaTitle": "Kullanıcı ekle",
"step": {
"security": {
"label": "Güvenlik"
}
}
},
"invite": {
"title": "Kullanıcı davetlerini yönet",
"action": {
"new": {
"description": "Süre sona erdikten sonra davet artık geçerli olmayacak ve daveti alan kişi bir hesap oluşturamayacaktır."
},
"copy": {
"link": "Davet bağlantısı"
},
"delete": {
"title": "Daveti sil",
"description": "Bu daveti silmek istediğinizden emin misiniz? Bu bağlantıya sahip kullanıcılar artık bu bağlantıyı kullanarak hesap oluşturamayacaktır."
}
},
"field": {
"id": {
"label": "Kimlik"
},
"creator": {
"label": "Oluşturan"
},
"expirationDate": {
"label": "Son geçerlilik tarihi"
},
"token": {
"label": "Erişim Anahtarı"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Genel"
}
}
},
"settings": {
"title": "Ayarlar"
},
"tool": {
"tasks": {
"status": {
"running": "Çalışıyor",
"error": "Hata"
},
"job": {
"mediaServer": {
"label": "Medya Sunucusu"
},
"mediaRequests": {
"label": "Medya talepleri"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Dokümantasyon"
},
"apiKey": {
"table": {
"header": {
"id": "Kimlik"
}
}
}
}
}
}
}
},
"docker": {
"title": "Konteyner",
"field": {
"name": {
"label": "İsim"
},
"state": {
"label": "Durum",
"option": {
"created": "Oluşturuldu",
"running": "Çalışıyor",
"paused": "Duraklatıldı",
"restarting": "Yeniden başlatılıyor",
"removing": "Kaldırılıyor"
}
},
"containerImage": {
"label": "İmaj"
},
"ports": {
"label": "Bağlantı noktaları"
}
},
"action": {
"start": {
"label": "Başlat"
},
"stop": {
"label": "Durdur"
},
"restart": {
"label": "Yeniden Başlat"
},
"remove": {
"label": "Kaldır"
}
}
},
"permission": {
"tab": {
"user": "Kullanıcılar"
},
"field": {
"user": {
"label": "Kullanıcı"
}
}
},
"navigationStructure": {
"manage": {
"label": "Yönet",
"boards": {
"label": "Paneller"
},
"integrations": {
"edit": {
"label": "Düzenle"
}
},
"search-engines": {
"edit": {
"label": "Düzenle"
}
},
"apps": {
"label": "Uygulamalar",
"edit": {
"label": "Düzenle"
}
},
"users": {
"label": "Kullanıcılar",
"create": {
"label": "Oluştur"
},
"general": "Genel",
"security": "Güvenlik",
"board": "Paneller",
"invites": {
"label": "Davetler"
}
},
"tools": {
"label": "Araçlar",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Ayarlar"
},
"about": {
"label": "Hakkında"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Uygulamalar"
},
"board": {
"title": "Paneller"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrentler"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Yardım",
"option": {
"documentation": {
"label": "Dokümantasyon"
},
"discord": {
"label": "Discord Topluluğu"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Kullanıcıları yönet"
},
"about": {
"label": "Hakkında"
},
"preferences": {
"label": "Tercihleriniz"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Kullanıcılar"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "İsim"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "使用者",
"name": "使用者",
"field": {
"email": {
"label": "E-mail"
},
"username": {
"label": "帳號"
},
"password": {
"label": "密碼",
"requirement": {
"lowercase": "包含小寫字母",
"uppercase": "包含大寫字母",
"number": "包含數字"
}
},
"passwordConfirm": {
"label": "確認密碼"
}
},
"action": {
"login": {
"label": "登入"
},
"register": {
"label": "創建帳號",
"notification": {
"success": {
"title": "帳號已創建"
}
}
},
"create": "創建使用者"
}
},
"group": {
"field": {
"name": "名稱"
},
"permission": {
"admin": {
"title": "管理員"
},
"board": {
"title": "面板"
}
}
},
"app": {
"page": {
"list": {
"title": "應用"
}
},
"field": {
"name": {
"label": "名稱"
}
}
},
"integration": {
"field": {
"name": {
"label": "名稱"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "無效連結"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "帳號"
},
"password": {
"label": "密碼",
"newLabel": "新密碼"
}
}
}
},
"media": {
"field": {
"name": "名稱",
"size": "大小",
"creator": "創建者"
}
},
"common": {
"error": "錯誤",
"action": {
"add": "新增",
"apply": "應用",
"create": "創建",
"edit": "編輯",
"insert": "插入",
"remove": "刪除",
"save": "儲存",
"saveChanges": "儲存設定",
"cancel": "取消",
"delete": "刪除",
"confirm": "確認",
"previous": "上一步",
"next": "下一步",
"tryAgain": "請再試一次"
},
"information": {
"hours": "時",
"minutes": "分"
},
"userAvatar": {
"menu": {
"preferences": "您的偏好設定",
"login": "登入"
}
},
"dangerZone": "危險",
"noResults": "未找到結果",
"zod": {
"errors": {
"default": "該字段無效",
"required": "此字段為必填",
"string": {
"startsWith": "該字段必須以 {startsWith} 開頭",
"endsWith": "該字段必須以 {endsWith} 結尾",
"includes": "該字段必須以 {includes}"
},
"tooSmall": {
"string": "該字段長度必須至少為 {minimum} 個字符",
"number": "該字段必須大於或等於 {minimum}"
},
"tooBig": {
"string": "該字段長度不得超過 {maximum} 個字符",
"number": "該字段必須小於或等於 {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "名稱"
}
},
"action": {
"moveUp": "上移",
"moveDown": "下移"
},
"menu": {
"label": {
"changePosition": "換位"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "設定"
}
},
"moveResize": {
"field": {
"width": {
"label": "寬度"
},
"height": {
"label": "高度"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "在新分頁中開啟"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "顯示布局",
"option": {
"row": {
"label": "橫向"
},
"column": {
"label": "垂直"
}
}
}
},
"data": {
"adsBlockedToday": "今日封鎖",
"adsBlockedTodayPercentage": "今日封鎖",
"dnsQueriesToday": "今日查詢"
}
},
"dnsHoleControls": {
"description": "從您的面板控制 PiHole 或 AdGuard",
"option": {
"layout": {
"label": "顯示布局",
"option": {
"row": {
"label": "橫向"
},
"column": {
"label": "垂直"
}
}
}
},
"controls": {
"set": "設定",
"enabled": "已啟用",
"disabled": "已禁用",
"hours": "時",
"minutes": "分"
}
},
"clock": {
"description": "顯示目前的日期與時間",
"option": {
"timezone": {
"label": "時區"
}
}
},
"notebook": {
"name": "筆記本",
"option": {
"showToolbar": {
"label": "顯示幫助您紀錄 Markdown 的工具欄"
},
"allowReadOnlyCheck": {
"label": "准許在唯讀模式中檢查"
},
"content": {
"label": "筆記本的內容"
}
},
"controls": {
"bold": "粗體",
"italic": "斜體",
"strikethrough": "刪除線",
"underline": "下滑線",
"colorText": "文字顏色",
"colorHighlight": "高亮文字",
"code": "代碼",
"clear": "清除格式",
"heading": "標題 {level}",
"align": "對齊文字: {position}",
"blockquote": "引用",
"horizontalLine": "橫線",
"bulletList": "符號列表",
"orderedList": "順序列表",
"checkList": "檢查列表",
"increaseIndent": "增加縮進",
"decreaseIndent": "減小縮進",
"link": "連結",
"unlink": "刪除連結",
"image": "崁入圖片",
"addTable": "增加表格",
"deleteTable": "刪除表格",
"colorCell": "單元格顏色",
"mergeCell": "切換單元格合併",
"addColumnLeft": "在前方增加列",
"addColumnRight": "在後方增加列",
"deleteColumn": "刪除整列",
"addRowTop": "在前方增加行",
"addRowBelow": "在後方增加行",
"deleteRow": "刪除整行"
},
"align": {
"left": "左方",
"center": "置中",
"right": "右方"
},
"popover": {
"clearColor": "清除顏色",
"source": "來源",
"widthPlaceholder": "百分比或像素值",
"columns": "列數",
"rows": "行數",
"width": "寬度",
"height": "高度"
}
},
"iframe": {
"name": "iFrame",
"description": "崁入網路上的內容,某些網站可能會限制訪問",
"option": {
"embedUrl": {
"label": "崁入網址"
},
"allowFullScreen": {
"label": "允許全螢幕"
},
"allowTransparency": {
"label": "允許透明化"
},
"allowScrolling": {
"label": "允許滾動"
},
"allowPayment": {
"label": "允許付款"
},
"allowAutoPlay": {
"label": "允許自動播放"
},
"allowMicrophone": {
"label": "允許麥克風"
},
"allowCamera": {
"label": "允許攝影機"
},
"allowGeolocation": {
"label": "允許地理位置"
}
},
"error": {
"noBrowerSupport": "您的瀏覽器不支援iFrame請更新您的瀏覽器"
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "實體 ID"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "顯示名稱"
},
"automationId": {
"label": "自動化ID"
}
}
},
"calendar": {
"name": "日曆",
"option": {
"releaseType": {
"label": "Radarr 發布類型"
}
}
},
"weather": {
"name": "天氣",
"description": "顯示指定位置的目前天氣狀況",
"option": {
"location": {
"label": "天氣位置"
}
},
"kind": {
"clear": "晴朗",
"mainlyClear": "晴時多雲",
"fog": "起霧",
"drizzle": "小雨",
"freezingDrizzle": "毛毛雨",
"rain": "下雨",
"freezingRain": "凍雨",
"snowFall": "下雪",
"snowGrains": "下霜",
"rainShowers": "陣雨",
"snowShowers": "陣雪",
"thunderstorm": "雷雨",
"thunderstormWithHail": "雷雨夾冰雹",
"unknown": "未知"
}
},
"indexerManager": {
"name": "索引管理器狀態",
"title": "索引管理器",
"testAll": "測試全部"
},
"healthMonitoring": {
"name": "系統健康監控",
"description": "顯示系統運行健康、狀態訊息",
"option": {
"fahrenheit": {
"label": "CPU溫度 (華氏度)"
},
"cpu": {
"label": "顯示 CPU 訊息"
},
"memory": {
"label": "顯示記憶體訊息"
},
"fileSystem": {
"label": "顯示檔案系統訊息"
}
},
"popover": {
"available": "可用"
}
},
"common": {
"location": {
"search": "搜尋",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "未知"
}
}
}
},
"video": {
"name": "影片串流",
"description": "崁入來自攝影機或網站的影片串流",
"option": {
"feedUrl": {
"label": "訂閱網址"
},
"hasAutoPlay": {
"label": "自動播放"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "日期已添加"
},
"downSpeed": {
"columnTitle": "下載",
"detailsTitle": "下載速度"
},
"integration": {
"columnTitle": "集成"
},
"progress": {
"columnTitle": "進度"
},
"ratio": {
"columnTitle": "分享率"
},
"state": {
"columnTitle": "狀態"
},
"upSpeed": {
"columnTitle": "上傳"
}
},
"states": {
"downloading": "正在下載",
"queued": "隊列",
"paused": "已暫停",
"completed": "已完成",
"unknown": "未知"
}
},
"mediaRequests-requestList": {
"description": "查看 Overseerr 或 Jellyseer 實例中的所有媒體請求列表",
"option": {
"linksTargetNewTab": {
"label": "在新分頁中開啟連結"
}
},
"availability": {
"unknown": "未知",
"partiallyAvailable": "部分",
"available": "可用"
}
},
"mediaRequests-requestStats": {
"description": "您的媒體請求統計",
"titles": {
"stats": {
"main": "媒體狀態",
"approved": "已准許",
"pending": "待准許",
"tv": "電視劇請求",
"movie": "電影請求",
"total": "總計"
},
"users": {
"main": "使用者排行"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "應用"
},
"screenSize": {
"option": {
"sm": "小",
"md": "中等",
"lg": "大號"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "背景圖片附件"
},
"backgroundImageSize": {
"label": "背景圖像大小"
},
"primaryColor": {
"label": "主體顏色"
},
"secondaryColor": {
"label": "輔助顏色"
},
"customCss": {
"description": "此外,只推薦有經驗的使用者使用 CSS 自定義面板"
},
"name": {
"label": "名稱"
},
"isPublic": {
"label": "公開"
}
},
"setting": {
"section": {
"general": {
"title": "一般"
},
"layout": {
"title": "顯示布局"
},
"background": {
"title": "背景"
},
"access": {
"permission": {
"item": {
"view": {
"label": "查看面板"
}
}
}
},
"dangerZone": {
"title": "危險",
"action": {
"delete": {
"confirm": {
"title": "刪除面板"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "首頁",
"boards": "面板",
"apps": "應用",
"users": {
"label": "使用者",
"items": {
"manage": "管理",
"invites": "邀請"
}
},
"tools": {
"label": "工具",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "設定",
"help": {
"label": "幫助",
"items": {
"documentation": "文件",
"discord": "Discord 社群"
}
},
"about": "關於"
}
},
"page": {
"home": {
"statistic": {
"board": "面板",
"user": "使用者",
"invite": "邀請",
"app": "應用"
},
"statisticLabel": {
"boards": "面板"
}
},
"board": {
"title": "您的面板",
"action": {
"settings": {
"label": "設定"
},
"setHomeBoard": {
"badge": {
"label": "首頁"
}
},
"delete": {
"label": "永久刪除",
"confirm": {
"title": "刪除面板"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "名稱"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "一般",
"item": {
"firstDayOfWeek": "一週的第一天",
"accessibility": "無障礙服務"
}
},
"security": {
"title": "安全"
},
"board": {
"title": "面板"
}
},
"list": {
"metaTitle": "管理使用者",
"title": "使用者"
},
"create": {
"metaTitle": "創建使用者",
"step": {
"security": {
"label": "安全"
}
}
},
"invite": {
"title": "管理使用者邀請",
"action": {
"new": {
"description": "過期後,邀請會失效,被邀請者將無法創建帳號"
},
"copy": {
"link": "邀請連結"
},
"delete": {
"title": "刪除邀請",
"description": "您確定要刪除此邀請?使用此連結的使用者將無法再次使用此連結創建帳號"
}
},
"field": {
"id": {
"label": "ID"
},
"creator": {
"label": "創建者"
},
"expirationDate": {
"label": "過期期間"
},
"token": {
"label": "Token"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "一般"
}
}
},
"settings": {
"title": "設定"
},
"tool": {
"tasks": {
"status": {
"running": "運行中",
"error": "錯誤"
},
"job": {
"mediaServer": {
"label": "媒體服務"
},
"mediaRequests": {
"label": "媒體請求"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "文件"
},
"apiKey": {
"table": {
"header": {
"id": "ID"
}
}
}
}
}
}
}
},
"docker": {
"title": "容器",
"field": {
"name": {
"label": "名稱"
},
"state": {
"label": "狀態",
"option": {
"created": "已創建",
"running": "運行中",
"paused": "已暫停",
"restarting": "正在重啟...",
"removing": "正在刪除..."
}
},
"containerImage": {
"label": "鏡像"
},
"ports": {
"label": "Ports"
}
},
"action": {
"start": {
"label": "開始"
},
"stop": {
"label": "停止"
},
"restart": {
"label": "重啟"
},
"remove": {
"label": "刪除"
}
}
},
"permission": {
"tab": {
"user": "使用者"
},
"field": {
"user": {
"label": "使用者"
}
}
},
"navigationStructure": {
"manage": {
"label": "管理",
"boards": {
"label": "面板"
},
"integrations": {
"edit": {
"label": "編輯"
}
},
"search-engines": {
"edit": {
"label": "編輯"
}
},
"apps": {
"label": "應用",
"edit": {
"label": "編輯"
}
},
"users": {
"label": "使用者",
"create": {
"label": "創建"
},
"general": "一般",
"security": "安全",
"board": "面板",
"invites": {
"label": "邀請"
}
},
"tools": {
"label": "工具",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "設定"
},
"about": {
"label": "關於"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "應用"
},
"board": {
"title": "面板"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrents"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "幫助",
"option": {
"documentation": {
"label": "文件"
},
"discord": {
"label": "Discord 社群"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "管理使用者"
},
"about": {
"label": "關於"
},
"preferences": {
"label": "您的偏好設定"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "使用者"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "名稱"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Користувачі",
"name": "Користувач",
"field": {
"email": {
"label": "Електронна пошта"
},
"username": {
"label": "Логін"
},
"password": {
"label": "Пароль",
"requirement": {
"lowercase": "Включає малу літеру",
"uppercase": "Включає велику літеру",
"number": "Включає кількість"
}
},
"passwordConfirm": {
"label": "Підтвердити пароль"
}
},
"action": {
"login": {
"label": "Логін"
},
"register": {
"label": "Створити обліковий запис",
"notification": {
"success": {
"title": "Обліковий запис створено"
}
}
},
"create": "Створити користувача"
}
},
"group": {
"field": {
"name": "Ім’я"
},
"permission": {
"admin": {
"title": ""
},
"board": {
"title": "Дошки"
}
}
},
"app": {
"page": {
"list": {
"title": "Додатки"
}
},
"field": {
"name": {
"label": "Ім’я"
}
}
},
"integration": {
"field": {
"name": {
"label": "Ім’я"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "Неправильна URL-адреса"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Логін"
},
"password": {
"label": "Пароль",
"newLabel": ""
}
}
}
},
"media": {
"field": {
"name": "Ім’я",
"size": "Розмір",
"creator": "Творець"
}
},
"common": {
"error": "Помилка",
"action": {
"add": "Додати",
"apply": "",
"create": "Створити",
"edit": "Редагувати",
"insert": "",
"remove": "Видалити",
"save": "Зберегти",
"saveChanges": "Зберегти зміни",
"cancel": "Скасувати",
"delete": "Видалити",
"confirm": "Підтвердити",
"previous": "Попередній",
"next": "Далі",
"tryAgain": "Повторіть спробу"
},
"information": {
"hours": "",
"minutes": ""
},
"userAvatar": {
"menu": {
"preferences": "Ваші уподобання",
"login": "Логін"
}
},
"dangerZone": "Небезпечна зона",
"noResults": "Результатів не знайдено",
"zod": {
"errors": {
"default": "Це поле є недійсним",
"required": "Це поле обов'язкове для заповнення",
"string": {
"startsWith": "Це поле повинно починатися з {startsWith}",
"endsWith": "Це поле повинно закінчуватися на {endsWith}",
"includes": "Це поле повинно містити {includes}"
},
"tooSmall": {
"string": "Це поле повинно мати довжину не менше {minimum} символів",
"number": "Це поле повинно бути більше або дорівнювати {minimum}"
},
"tooBig": {
"string": "Це поле має містити не більше {maximum} символів",
"number": "Це поле повинно бути менше або дорівнювати {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Ім’я"
}
},
"action": {
"moveUp": "Рухайся.",
"moveDown": "Вниз."
},
"menu": {
"label": {
"changePosition": "Змінити положення"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Налаштування"
}
},
"moveResize": {
"field": {
"width": {
"label": "Ширина"
},
"height": {
"label": "Висота"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Відкрити в новій вкладці"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Макет",
"option": {
"row": {
"label": "Горизонтальний"
},
"column": {
"label": "Вертикальний"
}
}
}
},
"data": {
"adsBlockedToday": "",
"adsBlockedTodayPercentage": "",
"dnsQueriesToday": "Запити за сьогодні"
}
},
"dnsHoleControls": {
"description": "Керуйте PiHole або AdGuard за допомогою головної панелі",
"option": {
"layout": {
"label": "Макет",
"option": {
"row": {
"label": "Горизонтальний"
},
"column": {
"label": "Вертикальний"
}
}
}
},
"controls": {
"set": "",
"enabled": "Увімкнено",
"disabled": "Вимкнено",
"hours": "",
"minutes": ""
}
},
"clock": {
"description": "Відображає поточну дату і час.",
"option": {
"timezone": {
"label": ""
}
}
},
"notebook": {
"name": "Блокнот",
"option": {
"showToolbar": {
"label": "Показати панель інструментів для написання націнки"
},
"allowReadOnlyCheck": {
"label": ""
},
"content": {
"label": "Зміст зошита"
}
},
"controls": {
"bold": "",
"italic": "",
"strikethrough": "",
"underline": "",
"colorText": "",
"colorHighlight": "",
"code": "",
"clear": "",
"heading": "",
"align": "",
"blockquote": "",
"horizontalLine": "",
"bulletList": "",
"orderedList": "",
"checkList": "",
"increaseIndent": "",
"decreaseIndent": "",
"link": "",
"unlink": "",
"image": "",
"addTable": "",
"deleteTable": "",
"colorCell": "",
"mergeCell": "",
"addColumnLeft": "",
"addColumnRight": "",
"deleteColumn": "",
"addRowTop": "",
"addRowBelow": "",
"deleteRow": ""
},
"align": {
"left": "Ліворуч.",
"center": "",
"right": "Так."
},
"popover": {
"clearColor": "",
"source": "",
"widthPlaceholder": "",
"columns": "",
"rows": "",
"width": "Ширина",
"height": "Висота"
}
},
"iframe": {
"name": "IFrame",
"description": "Вставити будь-який контент з інтернету. Деякі вебсайти можуть обмежувати доступ.",
"option": {
"embedUrl": {
"label": "Вставити URL"
},
"allowFullScreen": {
"label": "Дозволити повноекранний режим"
},
"allowTransparency": {
"label": "Забезпечити прозорість"
},
"allowScrolling": {
"label": "Дозволити прокрутку"
},
"allowPayment": {
"label": "Дозволити платіж"
},
"allowAutoPlay": {
"label": "Увімкнути автоматичне відтворення"
},
"allowMicrophone": {
"label": "Увімкнути мікрофон"
},
"allowCamera": {
"label": "Увімкнути камеру"
},
"allowGeolocation": {
"label": "Дозволити геолокацію"
}
},
"error": {
"noBrowerSupport": "Ваш браузер не підтримує iframe. Будь ласка, оновіть свій браузер."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": ""
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": ""
},
"automationId": {
"label": ""
}
}
},
"calendar": {
"name": "Календар",
"option": {
"releaseType": {
"label": "Radarr - тип релізів"
}
}
},
"weather": {
"name": "Погода",
"description": "Показує поточну інформацію про погоду в заданому місці.",
"option": {
"location": {
"label": "Погодна локація"
}
},
"kind": {
"clear": "Ясно",
"mainlyClear": "Здебільшого ясно",
"fog": "Туман",
"drizzle": "Дрібний дощ",
"freezingDrizzle": "Дрібний дощ, можливе утворення ожеледиці",
"rain": "Дощ",
"freezingRain": "Крижаний дощ",
"snowFall": "Снігопад",
"snowGrains": "Сніжинки",
"rainShowers": "Злива",
"snowShowers": "Заметіль",
"thunderstorm": "Гроза",
"thunderstormWithHail": "Гроза з градом",
"unknown": "Невідомо"
}
},
"indexerManager": {
"name": "",
"title": "",
"testAll": ""
},
"healthMonitoring": {
"name": "",
"description": "",
"option": {
"fahrenheit": {
"label": ""
},
"cpu": {
"label": ""
},
"memory": {
"label": ""
},
"fileSystem": {
"label": ""
}
},
"popover": {
"available": ""
}
},
"common": {
"location": {
"search": "Пошук",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Невідомо"
}
}
}
},
"video": {
"name": "Потокова трансляція відео",
"description": "Вставте відеопотік чи відео з камери або вебсайту",
"option": {
"feedUrl": {
"label": "URL-адреса стрічки"
},
"hasAutoPlay": {
"label": "Автовідтворення"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": ""
},
"downSpeed": {
"columnTitle": "Завантаження",
"detailsTitle": "Швидкість завантаження"
},
"integration": {
"columnTitle": "Інтеграція"
},
"progress": {
"columnTitle": "Прогрес"
},
"ratio": {
"columnTitle": ""
},
"state": {
"columnTitle": "Стан"
},
"upSpeed": {
"columnTitle": "Віддача"
}
},
"states": {
"downloading": "",
"queued": "",
"paused": "Призупинено",
"completed": "Завершено",
"unknown": "Невідомо"
}
},
"mediaRequests-requestList": {
"description": "Перегляньте список усіх медіазапитів від ваших Overseerr або Jellyseerr",
"option": {
"linksTargetNewTab": {
"label": "Відкрийте посилання в новій вкладці"
}
},
"availability": {
"unknown": "Невідомо",
"partiallyAvailable": "",
"available": ""
}
},
"mediaRequests-requestStats": {
"description": "Статистика ваших запитів у медіа",
"titles": {
"stats": {
"main": "Медіа-статистика",
"approved": "Вже затверджено",
"pending": "Очікує схвалення",
"tv": "Запити на ТБ",
"movie": "Запити на фільми",
"total": "Всього"
},
"users": {
"main": "Найкращі користувачі"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Додатки"
},
"screenSize": {
"option": {
"sm": "Малий",
"md": "Середній",
"lg": "Великий"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": ""
},
"backgroundImageSize": {
"label": ""
},
"primaryColor": {
"label": "Основний колір"
},
"secondaryColor": {
"label": "Вторинний колір"
},
"customCss": {
"description": "Крім того, налаштуйте дашборд за допомогою CSS, що рекомендується лише досвідченим користувачам"
},
"name": {
"label": "Ім’я"
},
"isPublic": {
"label": "Публічний"
}
},
"setting": {
"section": {
"general": {
"title": "Загальне"
},
"layout": {
"title": "Макет"
},
"background": {
"title": "Фон"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Дошка оголошень"
}
}
}
},
"dangerZone": {
"title": "Небезпечна зона",
"action": {
"delete": {
"confirm": {
"title": "Видалити дошку"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Головна",
"boards": "Дошки",
"apps": "Додатки",
"users": {
"label": "Користувачі",
"items": {
"manage": "Керувати",
"invites": "Запрошує"
}
},
"tools": {
"label": "Інструменти",
"items": {
"docker": "Docker",
"api": ""
}
},
"settings": "Налаштування",
"help": {
"label": "Допоможіть!",
"items": {
"documentation": "Документація",
"discord": "Розбрат у громаді"
}
},
"about": "Про програму"
}
},
"page": {
"home": {
"statistic": {
"board": "Дошки",
"user": "Користувачі",
"invite": "Запрошує",
"app": "Додатки"
},
"statisticLabel": {
"boards": "Дошки"
}
},
"board": {
"title": "Твої дошки",
"action": {
"settings": {
"label": "Налаштування"
},
"setHomeBoard": {
"badge": {
"label": "Головна"
}
},
"delete": {
"label": "Видалити назавжди",
"confirm": {
"title": "Видалити дошку"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Ім’я"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Загальне",
"item": {
"firstDayOfWeek": "Перший день тижня",
"accessibility": "Доступність"
}
},
"security": {
"title": ""
},
"board": {
"title": "Дошки"
}
},
"list": {
"metaTitle": "Керування користувачами",
"title": "Користувачі"
},
"create": {
"metaTitle": "Створити користувача",
"step": {
"security": {
"label": ""
}
}
},
"invite": {
"title": "Керування запрошеннями користувачів",
"action": {
"new": {
"description": "Після закінчення терміну дії запрошення буде недійсним, і одержувач запрошення не зможе створити обліковий запис."
},
"copy": {
"link": "Посилання на запрошення"
},
"delete": {
"title": "Видалити запрошення",
"description": "Ви впевнені, що хочете видалити це запрошення? Користувачі з цим посиланням більше не зможуть створити обліковий запис за цим посиланням."
}
},
"field": {
"id": {
"label": "ІДЕНТИФІКАТОР"
},
"creator": {
"label": "Творець"
},
"expirationDate": {
"label": "Термін придатності"
},
"token": {
"label": "Токен."
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Загальне"
}
}
},
"settings": {
"title": "Налаштування"
},
"tool": {
"tasks": {
"status": {
"running": "Запущено",
"error": "Помилка"
},
"job": {
"mediaServer": {
"label": "Медіа сервер"
},
"mediaRequests": {
"label": "Медіа запити"
}
}
},
"api": {
"title": "",
"tab": {
"documentation": {
"label": "Документація"
},
"apiKey": {
"table": {
"header": {
"id": "ІДЕНТИФІКАТОР"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "Ім’я"
},
"state": {
"label": "Стан",
"option": {
"created": "Створено",
"running": "Запущено",
"paused": "Призупинено",
"restarting": "Перезапуск",
"removing": "Видалення"
}
},
"containerImage": {
"label": "Образ"
},
"ports": {
"label": "Порти"
}
},
"action": {
"start": {
"label": "Пуск"
},
"stop": {
"label": "Зупинити"
},
"restart": {
"label": "Перезапустити"
},
"remove": {
"label": "Видалити"
}
}
},
"permission": {
"tab": {
"user": "Користувачі"
},
"field": {
"user": {
"label": "Користувач"
}
}
},
"navigationStructure": {
"manage": {
"label": "Керувати",
"boards": {
"label": "Дошки"
},
"integrations": {
"edit": {
"label": "Редагувати"
}
},
"search-engines": {
"edit": {
"label": "Редагувати"
}
},
"apps": {
"label": "Додатки",
"edit": {
"label": "Редагувати"
}
},
"users": {
"label": "Користувачі",
"create": {
"label": "Створити"
},
"general": "Загальне",
"security": "",
"board": "Дошки",
"invites": {
"label": "Запрошує"
}
},
"tools": {
"label": "Інструменти",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Налаштування"
},
"about": {
"label": "Про програму"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Додатки"
},
"board": {
"title": "Дошки"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrent"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Допоможіть!",
"option": {
"documentation": {
"label": "Документація"
},
"discord": {
"label": "Розбрат у громаді"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Керування користувачами"
},
"about": {
"label": "Про програму"
},
"preferences": {
"label": "Ваші уподобання"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Користувачі"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Ім’я"
}
}
}
}
}

View File

@@ -0,0 +1,911 @@
{
"user": {
"title": "Người dùng",
"name": "Người dùng",
"field": {
"email": {
"label": "E-mail"
},
"username": {
"label": "Tên người dùng"
},
"password": {
"label": "Mật khẩu",
"requirement": {
"lowercase": "Bao gồm chữ thường",
"uppercase": "Bao gồm chữ in hoa",
"number": "Bao gồm số"
}
},
"passwordConfirm": {
"label": "Xác nhận mật khẩu"
}
},
"action": {
"login": {
"label": "Đăng nhập"
},
"register": {
"label": "Tạo tài khoản",
"notification": {
"success": {
"title": "Tài khoản đã được tạo"
}
}
},
"create": "Tạo người dùng"
}
},
"group": {
"field": {
"name": "Tên"
},
"permission": {
"admin": {
"title": "Quản trị viên"
},
"board": {
"title": "Bảng"
}
}
},
"app": {
"page": {
"list": {
"title": "Ứng dụng"
}
},
"field": {
"name": {
"label": "Tên"
}
}
},
"integration": {
"field": {
"name": {
"label": "Tên"
}
},
"testConnection": {
"notification": {
"invalidUrl": {
"title": "URL không hợp lệ"
}
}
},
"secrets": {
"kind": {
"username": {
"label": "Tên người dùng"
},
"password": {
"label": "Mật khẩu",
"newLabel": "Mật khẩu mới"
}
}
}
},
"media": {
"field": {
"name": "Tên",
"size": "Kích cỡ",
"creator": "Người sáng tạo"
}
},
"common": {
"error": "Lỗi",
"action": {
"add": "Thêm",
"apply": "Áp dụng",
"create": "Tạo nên",
"edit": "Sửa",
"insert": "Thêm",
"remove": "Xóa",
"save": "Lưu",
"saveChanges": "Lưu thay đổi",
"cancel": "Hủy",
"delete": "Xóa",
"confirm": "Xác nhận",
"previous": "Trước",
"next": "Kế tiếp",
"tryAgain": "Thử lại"
},
"information": {
"hours": "Giờ",
"minutes": "Phút"
},
"userAvatar": {
"menu": {
"preferences": "Cá nhân hoá",
"login": "Đăng nhập"
}
},
"dangerZone": "Khu vực nguy hiểm",
"noResults": "Không có kết quả",
"zod": {
"errors": {
"default": "Trường này không hợp lệ",
"required": "Trường này là bắt buộc",
"string": {
"startsWith": "Trường này phải bắt đầu bằng {startsWith}",
"endsWith": "Trường này phải kết thúc bằng {endsWith}",
"includes": "Trường này phải bao gồm {includes}"
},
"tooSmall": {
"string": "Trường này phải dài ít nhất {minimum} ký tự",
"number": "Trường này phải lớn hơn hoặc bằng {minimum}"
},
"tooBig": {
"string": "Trường này phải dài tối đa {maximum} ký tự",
"number": "Trường này phải nhỏ hơn hoặc bằng {maximum}"
}
}
}
},
"section": {
"category": {
"field": {
"name": {
"label": "Tên"
}
},
"action": {
"moveUp": "Đi lên",
"moveDown": "Đi xuống"
},
"menu": {
"label": {
"changePosition": "Đổi vị trí"
}
}
}
},
"item": {
"menu": {
"label": {
"settings": "Cài đặt"
}
},
"moveResize": {
"field": {
"width": {
"label": "Chiều rộng"
},
"height": {
"label": "Chiều cao"
}
}
}
},
"widget": {
"app": {
"option": {
"openInNewTab": {
"label": "Mở trong tab mới"
}
}
},
"dnsHoleSummary": {
"option": {
"layout": {
"label": "Bố cục",
"option": {
"row": {
"label": "Nằm ngang"
},
"column": {
"label": "Thẳng đứng"
}
}
}
},
"data": {
"adsBlockedToday": "Đã chặn hôm nay",
"adsBlockedTodayPercentage": "Đã chặn hôm nay",
"dnsQueriesToday": "Truy vấn hôm nay"
}
},
"dnsHoleControls": {
"description": "Kiểm soát PiHole hoặc AdGuard từ bảng điều khiển của bạn",
"option": {
"layout": {
"label": "Bố cục",
"option": {
"row": {
"label": "Nằm ngang"
},
"column": {
"label": "Thẳng đứng"
}
}
}
},
"controls": {
"set": "Đặt",
"enabled": "Bật",
"disabled": "Tắt",
"hours": "Giờ",
"minutes": "Phút"
}
},
"clock": {
"description": "Hiện thị ngày giờ hiện tại.",
"option": {
"timezone": {
"label": "Múi giờ"
}
}
},
"notebook": {
"name": "Ghi chú",
"option": {
"showToolbar": {
"label": "Hiển thị thanh công cụ giúp bạn viết markdown"
},
"allowReadOnlyCheck": {
"label": "Cho phép tích dấu kiểm tra ở chế độ chỉ đọc"
},
"content": {
"label": "Nội dung của ghi chú"
}
},
"controls": {
"bold": "Đậm",
"italic": "Nghiêng",
"strikethrough": "Gạch ngang",
"underline": "Gạch dưới",
"colorText": "Màu chữ",
"colorHighlight": "Màu đánh dấu",
"code": "Mã",
"clear": "Xóa định dạng",
"heading": "Tiêu đề {level}",
"align": "Căn chỉnh: {position}",
"blockquote": "Trích dẫn",
"horizontalLine": "Kẻ ngang",
"bulletList": "Danh sách kiểu ký hiệu",
"orderedList": "Danh sách đánh số",
"checkList": "Danh sách kiểm tra",
"increaseIndent": "Tăng thụt lề",
"decreaseIndent": "Giảm thụt lề",
"link": "Liên kết",
"unlink": "Gỡ bỏ liên kết",
"image": "Nhúng hình ảnh",
"addTable": "Thêm bảng",
"deleteTable": "Xóa bảng",
"colorCell": "Màu ô",
"mergeCell": "Bật/tắt hợp nhất ô",
"addColumnLeft": "Thêm cột trước",
"addColumnRight": "Thêm cột sau",
"deleteColumn": "Xóa cột",
"addRowTop": "Thêm dòng bên trên",
"addRowBelow": "Thêm dòng bên dưới",
"deleteRow": "Xóa dòng"
},
"align": {
"left": "Bên trái",
"center": "Giữa",
"right": "Phải"
},
"popover": {
"clearColor": "Xóa màu",
"source": "Nguồn",
"widthPlaceholder": "Giá trị tính bằng % hoặc pixel",
"columns": "Cột",
"rows": "Dòng",
"width": "Chiều rộng",
"height": "Chiều cao"
}
},
"iframe": {
"name": "iFrame",
"description": "Nhúng bất kỳ nội dung nào từ internet. Một số trang web có thể hạn chế quyền truy cập.",
"option": {
"embedUrl": {
"label": "URL nhúng"
},
"allowFullScreen": {
"label": "Cho phép toàn màn hình"
},
"allowTransparency": {
"label": "Cho phép trong suốt"
},
"allowScrolling": {
"label": "Cho phép cuộn"
},
"allowPayment": {
"label": "Cho phép thanh toán"
},
"allowAutoPlay": {
"label": "Cho phép tự động phát"
},
"allowMicrophone": {
"label": "Cho phép micro"
},
"allowCamera": {
"label": "Cho phép camera"
},
"allowGeolocation": {
"label": "Cho phép định vị"
}
},
"error": {
"noBrowerSupport": "Trình duyệt của bạn không hỗ trợ iframe. Vui lòng cập nhật trình duyệt của bạn."
}
},
"smartHome-entityState": {
"option": {
"entityId": {
"label": "ID thực thể"
}
}
},
"smartHome-executeAutomation": {
"option": {
"displayName": {
"label": "Tên hiển thị"
},
"automationId": {
"label": "ID tự động hóa"
}
}
},
"calendar": {
"name": "Lịch",
"option": {
"releaseType": {
"label": "Loại phát hành Radarr"
}
}
},
"weather": {
"name": "Thời tiết",
"description": "Hiển thị thông tin thời tiết của vị trí được đặt.",
"option": {
"location": {
"label": "Vị trí thời tiết"
}
},
"kind": {
"clear": "Quang đãng",
"mainlyClear": "Thông thoáng",
"fog": "Sương mù",
"drizzle": "Mưa phùn",
"freezingDrizzle": "Mưa phùn đông đá",
"rain": "Mưa",
"freezingRain": "Mưa băng",
"snowFall": "Tuyết rơi",
"snowGrains": "Có hạt tuyết",
"rainShowers": "Mưa rào",
"snowShowers": "Mưa tuyết",
"thunderstorm": "Bão",
"thunderstormWithHail": "Sấm sét kèm mưa đá",
"unknown": "Không rõ"
}
},
"indexerManager": {
"name": "",
"title": "",
"testAll": ""
},
"healthMonitoring": {
"name": "Giám sát tình trạng hệ thống",
"description": "",
"option": {
"fahrenheit": {
"label": ""
},
"cpu": {
"label": ""
},
"memory": {
"label": ""
},
"fileSystem": {
"label": ""
}
},
"popover": {
"available": "Khả dụng"
}
},
"common": {
"location": {
"search": "Tìm kiếm",
"table": {
"header": {},
"action": {},
"population": {
"fallback": "Không rõ"
}
}
}
},
"video": {
"name": "Luồng video",
"description": "Nhúng luồng hoặc video từ camera hoặc trang web",
"option": {
"feedUrl": {
"label": "URL nguồn"
},
"hasAutoPlay": {
"label": "Tự động phát"
}
}
},
"downloads": {
"items": {
"added": {
"detailsTitle": "Ngày thêm"
},
"downSpeed": {
"columnTitle": "Tải xuống",
"detailsTitle": "Tốc độ tải"
},
"integration": {
"columnTitle": "Tích hợp"
},
"progress": {
"columnTitle": "Tiến độ"
},
"ratio": {
"columnTitle": "Tỉ lệ"
},
"state": {
"columnTitle": "Trạng thái"
},
"upSpeed": {
"columnTitle": "Tải lên"
}
},
"states": {
"downloading": "Đang tải",
"queued": "",
"paused": "Tạm dừng",
"completed": "Đã hoàn thành",
"unknown": "Không rõ"
}
},
"mediaRequests-requestList": {
"description": "Xem danh sách các yêu cầu đa phương tiện từ Overseerr hoặc Jellyseerr của bạn",
"option": {
"linksTargetNewTab": {
"label": "Mở liên kết trong tab mới"
}
},
"availability": {
"unknown": "Không rõ",
"partiallyAvailable": "Một phần",
"available": "Khả dụng"
}
},
"mediaRequests-requestStats": {
"description": "Thống kê về các yêu cầu đa phương tiện của bạn",
"titles": {
"stats": {
"main": "Thống kê truyền thông",
"approved": "Đã được phê duyệt",
"pending": "Chờ duyệt",
"tv": "Yêu cầu TV",
"movie": "Yêu cầu phim",
"total": "Tổng cộng"
},
"users": {
"main": "Người dùng hàng đầu"
}
}
}
},
"board": {
"action": {
"oldImport": {
"form": {
"apps": {
"label": "Ứng dụng"
},
"screenSize": {
"option": {
"sm": "Bé nhỏ",
"md": "Trung bình",
"lg": "Lớn"
}
}
}
}
},
"field": {
"backgroundImageAttachment": {
"label": "Vị trí ảnh nền"
},
"backgroundImageSize": {
"label": "Kích cỡ ảnh nền"
},
"primaryColor": {
"label": "Màu chính"
},
"secondaryColor": {
"label": "Màu thứ cấp"
},
"customCss": {
"description": "Ngoài ra có thể tùy chỉnh bảng điều khiển của bạn bằng CSS, chỉ được đề xuất cho người dùng có kinh nghiệm"
},
"name": {
"label": "Tên"
},
"isPublic": {
"label": "Công khai"
}
},
"setting": {
"section": {
"general": {
"title": "Chung"
},
"layout": {
"title": "Bố cục"
},
"background": {
"title": "Hình nền"
},
"access": {
"permission": {
"item": {
"view": {
"label": "Xem bảng"
}
}
}
},
"dangerZone": {
"title": "Khu vực nguy hiểm",
"action": {
"delete": {
"confirm": {
"title": "Xóa bảng"
}
}
}
}
}
}
},
"management": {
"navbar": {
"items": {
"home": "Trang chủ",
"boards": "Bảng",
"apps": "Ứng dụng",
"users": {
"label": "Người dùng",
"items": {
"manage": "Quản lý",
"invites": "Mời"
}
},
"tools": {
"label": "Công cụ",
"items": {
"docker": "Docker",
"api": "API"
}
},
"settings": "Cài đặt",
"help": {
"label": "Giúp đỡ",
"items": {
"documentation": "Tài liệu",
"discord": "Discord"
}
},
"about": "Về chúng tôi"
}
},
"page": {
"home": {
"statistic": {
"board": "Bảng",
"user": "Người dùng",
"invite": "Mời",
"app": "Ứng dụng"
},
"statisticLabel": {
"boards": "Bảng"
}
},
"board": {
"title": "Bảng của bạn",
"action": {
"settings": {
"label": "Cài đặt"
},
"setHomeBoard": {
"badge": {
"label": "Trang chủ"
}
},
"delete": {
"label": "Xóa vĩnh viễn",
"confirm": {
"title": "Xóa bảng"
}
}
},
"modal": {
"createBoard": {
"field": {
"name": {
"label": "Tên"
}
}
}
}
},
"user": {
"setting": {
"general": {
"title": "Chung",
"item": {
"firstDayOfWeek": "Ngày đầu tiên trong tuần",
"accessibility": "Trợ năng"
}
},
"security": {
"title": "Bảo mật"
},
"board": {
"title": "Bảng"
}
},
"list": {
"metaTitle": "Quản lý người dùng",
"title": "Người dùng"
},
"create": {
"metaTitle": "Tạo người dùng",
"step": {
"security": {
"label": "Bảo mật"
}
}
},
"invite": {
"title": "Quản lý lời mời của người dùng",
"action": {
"new": {
"description": "Sau khi hết hạn, lời mời sẽ không còn hiệu lực và người nhận lời mời sẽ không thể tạo tài khoản."
},
"copy": {
"link": "Liên kết lời mời"
},
"delete": {
"title": "Xóa lời mời",
"description": "Bạn có chắc chắn muốn xóa lời mời này không? Người dùng có liên kết này sẽ không thể tạo tài khoản bằng liên kết đó nữa."
}
},
"field": {
"id": {
"label": "NHẬN DẠNG"
},
"creator": {
"label": "Người sáng tạo"
},
"expirationDate": {
"label": "Ngày hết hạn"
},
"token": {
"label": "Mã thông báo"
}
}
}
},
"group": {
"setting": {
"general": {
"title": "Chung"
}
}
},
"settings": {
"title": "Cài đặt"
},
"tool": {
"tasks": {
"status": {
"running": "Đang chạy",
"error": "Lỗi"
},
"job": {
"mediaServer": {
"label": "Máy chủ đa phương tiện"
},
"mediaRequests": {
"label": "Yêu cầu đa phương tiện"
}
}
},
"api": {
"title": "API",
"tab": {
"documentation": {
"label": "Tài liệu"
},
"apiKey": {
"table": {
"header": {
"id": "NHẬN DẠNG"
}
}
}
}
}
}
}
},
"docker": {
"title": "",
"field": {
"name": {
"label": "Tên"
},
"state": {
"label": "Trạng thái",
"option": {
"created": "Đã tạo",
"running": "Đang chạy",
"paused": "Tạm dừng",
"restarting": "Đang khởi động lại",
"removing": "Đang xoá"
}
},
"containerImage": {
"label": "Hình ảnh"
},
"ports": {
"label": "Cổng"
}
},
"action": {
"start": {
"label": "Bắt đầu"
},
"stop": {
"label": "Dừng"
},
"restart": {
"label": "Khởi động lại"
},
"remove": {
"label": "Xóa"
}
}
},
"permission": {
"tab": {
"user": "Người dùng"
},
"field": {
"user": {
"label": "Người dùng"
}
}
},
"navigationStructure": {
"manage": {
"label": "Quản lý",
"boards": {
"label": "Bảng"
},
"integrations": {
"edit": {
"label": "Sửa"
}
},
"search-engines": {
"edit": {
"label": "Sửa"
}
},
"apps": {
"label": "Ứng dụng",
"edit": {
"label": "Sửa"
}
},
"users": {
"label": "Người dùng",
"create": {
"label": "Tạo nên"
},
"general": "Chung",
"security": "Bảo mật",
"board": "Bảng",
"invites": {
"label": "Mời"
}
},
"tools": {
"label": "Công cụ",
"docker": {
"label": "Docker"
}
},
"settings": {
"label": "Cài đặt"
},
"about": {
"label": "Về chúng tôi"
}
}
},
"search": {
"mode": {
"appIntegrationBoard": {
"group": {
"app": {
"title": "Ứng dụng"
},
"board": {
"title": "Bảng"
}
}
},
"external": {
"group": {
"searchEngine": {
"option": {
"torrent": {
"name": "Torrent"
}
}
}
}
},
"help": {
"group": {
"help": {
"title": "Giúp đỡ",
"option": {
"documentation": {
"label": "Tài liệu"
},
"discord": {
"label": "Discord"
}
}
}
}
},
"page": {
"group": {
"page": {
"option": {
"manageUser": {
"label": "Quản lý người dùng"
},
"about": {
"label": "Về chúng tôi"
},
"preferences": {
"label": "Cá nhân hoá"
}
}
}
}
},
"userGroup": {
"group": {
"user": {
"title": "Người dùng"
}
}
}
},
"engine": {
"field": {
"name": {
"label": "Tên"
}
}
}
}
}

View File

@@ -0,0 +1,93 @@
{
"actions": "Actions",
"and": "and",
"cancel": "Cancel",
"changeFilterMode": "Change filter mode",
"changeSearchMode": "Change search mode",
"clearFilter": "Clear filter",
"clearSearch": "Clear search",
"clearSelection": "Clear selection",
"clearSort": "Clear sort",
"clickToCopy": "Click to copy",
"copy": "Copy",
"collapse": "Collapse",
"collapseAll": "Collapse all",
"columnActions": "Column Actions",
"copiedToClipboard": "Copied to clipboard",
"dropToGroupBy": "Drop to group by {column}",
"edit": "Edit",
"expand": "Expand",
"expandAll": "Expand all",
"filterArrIncludes": "Includes",
"filterArrIncludesAll": "Includes all",
"filterArrIncludesSome": "Includes",
"filterBetween": "Between",
"filterBetweenInclusive": "Between Inclusive",
"filterByColumn": "Filter by {column}",
"filterContains": "Contains",
"filterEmpty": "Empty",
"filterEndsWith": "Ends With",
"filterEquals": "Equals",
"filterEqualsString": "Equals",
"filterFuzzy": "Fuzzy",
"filterGreaterThan": "Greater Than",
"filterGreaterThanOrEqualTo": "Greater Than Or Equal To",
"filterInNumberRange": "Between",
"filterIncludesString": "Contains",
"filterIncludesStringSensitive": "Contains",
"filterLessThan": "Less Than",
"filterLessThanOrEqualTo": "Less Than Or Equal To",
"filterMode": "Filter Mode: {filterType}",
"filterNotEmpty": "Not Empty",
"filterNotEquals": "Not Equals",
"filterStartsWith": "Starts With",
"filterWeakEquals": "Equals",
"filteringByColumn": "Filtering by {column} - {filterType} {filterValue}",
"goToFirstPage": "Go to first page",
"goToLastPage": "Go to last page",
"goToNextPage": "Go to next page",
"goToPreviousPage": "Go to previous page",
"grab": "Grab",
"groupByColumn": "Group by {column}",
"groupedBy": "Grouped by ",
"hideAll": "Hide all",
"hideColumn": "Hide {column} column",
"max": "Max",
"min": "Min",
"move": "Move",
"noRecordsToDisplay": "No records to display",
"noResultsFound": "No results found",
"of": "of",
"or": "or",
"pin": "Pin",
"pinToLeft": "Pin to left",
"pinToRight": "Pin to right",
"resetColumnSize": "Reset column size",
"resetOrder": "Reset order",
"rowActions": "Row Actions",
"rowNumber": "#",
"rowNumbers": "Row Numbers",
"rowsPerPage": "Rows per page",
"save": "Save",
"search": "Search",
"selectedCountOfRowCountRowsSelected": "{selectedCount} of {rowCount} row(s) selected",
"select": "Select",
"showAll": "Show all",
"showAllColumns": "Show all columns",
"showHideColumns": "Show/Hide columns",
"showHideFilters": "Show/Hide filters",
"showHideSearch": "Show/Hide search",
"sortByColumnAsc": "Sort by {column} ascending",
"sortByColumnDesc": "Sort by {column} descending",
"sortedByColumnAsc": "Sorted by {column} ascending",
"sortedByColumnDesc": "Sorted by {column} descending",
"thenBy": ", then by ",
"toggleDensity": "Toggle density",
"toggleFullScreen": "Toggle full screen",
"toggleSelectAll": "Toggle select all",
"toggleSelectRow": "Toggle select row",
"toggleVisibility": "Toggle visibility",
"ungroupByColumn": "Ungroup by {column}",
"unpin": "Unpin",
"unpinAll": "Unpin all"
}

View File

@@ -0,0 +1,93 @@
{
"actions": "",
"and": "",
"cancel": "",
"changeFilterMode": "",
"changeSearchMode": "",
"clearFilter": "",
"clearSearch": "",
"clearSelection": "",
"clearSort": "",
"clickToCopy": "",
"copy": "",
"collapse": "",
"collapseAll": "",
"columnActions": "",
"copiedToClipboard": "",
"dropToGroupBy": "",
"edit": "",
"expand": "",
"expandAll": "",
"filterArrIncludes": "",
"filterArrIncludesAll": "",
"filterArrIncludesSome": "",
"filterBetween": "",
"filterBetweenInclusive": "",
"filterByColumn": "",
"filterContains": "",
"filterEmpty": "",
"filterEndsWith": "",
"filterEquals": "",
"filterEqualsString": "",
"filterFuzzy": "",
"filterGreaterThan": "",
"filterGreaterThanOrEqualTo": "",
"filterInNumberRange": "",
"filterIncludesString": "",
"filterIncludesStringSensitive": "",
"filterLessThan": "",
"filterLessThanOrEqualTo": "",
"filterMode": "",
"filterNotEmpty": "",
"filterNotEquals": "",
"filterStartsWith": "",
"filterWeakEquals": "",
"filteringByColumn": "",
"goToFirstPage": "",
"goToLastPage": "",
"goToNextPage": "",
"goToPreviousPage": "",
"grab": "",
"groupByColumn": "",
"groupedBy": "",
"hideAll": "",
"hideColumn": "",
"max": "",
"min": "",
"move": "",
"noRecordsToDisplay": "",
"noResultsFound": "",
"of": "",
"or": "",
"pin": "",
"pinToLeft": "",
"pinToRight": "",
"resetColumnSize": "",
"resetOrder": "",
"rowActions": "",
"rowNumber": "",
"rowNumbers": "",
"rowsPerPage": "",
"save": "",
"search": "",
"selectedCountOfRowCountRowsSelected": "",
"select": "",
"showAll": "",
"showAllColumns": "",
"showHideColumns": "",
"showHideFilters": "",
"showHideSearch": "",
"sortByColumnAsc": "",
"sortByColumnDesc": "",
"sortedByColumnAsc": "",
"sortedByColumnDesc": "",
"thenBy": "",
"toggleDensity": "",
"toggleFullScreen": "",
"toggleSelectAll": "",
"toggleSelectRow": "",
"toggleVisibility": "",
"ungroupByColumn": "",
"unpin": "",
"unpinAll": ""
}

View File

@@ -0,0 +1,93 @@
{
"actions": "",
"and": "",
"cancel": "",
"changeFilterMode": "",
"changeSearchMode": "",
"clearFilter": "",
"clearSearch": "",
"clearSelection": "",
"clearSort": "",
"clickToCopy": "",
"copy": "",
"collapse": "",
"collapseAll": "",
"columnActions": "",
"copiedToClipboard": "",
"dropToGroupBy": "",
"edit": "",
"expand": "",
"expandAll": "",
"filterArrIncludes": "",
"filterArrIncludesAll": "",
"filterArrIncludesSome": "",
"filterBetween": "",
"filterBetweenInclusive": "",
"filterByColumn": "",
"filterContains": "",
"filterEmpty": "",
"filterEndsWith": "",
"filterEquals": "",
"filterEqualsString": "",
"filterFuzzy": "",
"filterGreaterThan": "",
"filterGreaterThanOrEqualTo": "",
"filterInNumberRange": "",
"filterIncludesString": "",
"filterIncludesStringSensitive": "",
"filterLessThan": "",
"filterLessThanOrEqualTo": "",
"filterMode": "",
"filterNotEmpty": "",
"filterNotEquals": "",
"filterStartsWith": "",
"filterWeakEquals": "",
"filteringByColumn": "",
"goToFirstPage": "",
"goToLastPage": "",
"goToNextPage": "",
"goToPreviousPage": "",
"grab": "",
"groupByColumn": "",
"groupedBy": "",
"hideAll": "",
"hideColumn": "",
"max": "",
"min": "",
"move": "",
"noRecordsToDisplay": "",
"noResultsFound": "",
"of": "",
"or": "",
"pin": "",
"pinToLeft": "",
"pinToRight": "",
"resetColumnSize": "",
"resetOrder": "",
"rowActions": "",
"rowNumber": "",
"rowNumbers": "",
"rowsPerPage": "",
"save": "",
"search": "",
"selectedCountOfRowCountRowsSelected": "",
"select": "",
"showAll": "",
"showAllColumns": "",
"showHideColumns": "",
"showHideFilters": "",
"showHideSearch": "",
"sortByColumnAsc": "",
"sortByColumnDesc": "",
"sortedByColumnAsc": "",
"sortedByColumnDesc": "",
"thenBy": "",
"toggleDensity": "",
"toggleFullScreen": "",
"toggleSelectAll": "",
"toggleSelectRow": "",
"toggleVisibility": "",
"ungroupByColumn": "",
"unpin": "",
"unpinAll": ""
}

View File

@@ -0,0 +1,93 @@
{
"actions": "",
"and": "",
"cancel": "",
"changeFilterMode": "",
"changeSearchMode": "",
"clearFilter": "",
"clearSearch": "",
"clearSelection": "",
"clearSort": "",
"clickToCopy": "",
"copy": "",
"collapse": "",
"collapseAll": "",
"columnActions": "",
"copiedToClipboard": "",
"dropToGroupBy": "",
"edit": "",
"expand": "",
"expandAll": "",
"filterArrIncludes": "",
"filterArrIncludesAll": "",
"filterArrIncludesSome": "",
"filterBetween": "",
"filterBetweenInclusive": "",
"filterByColumn": "",
"filterContains": "",
"filterEmpty": "",
"filterEndsWith": "",
"filterEquals": "",
"filterEqualsString": "",
"filterFuzzy": "",
"filterGreaterThan": "",
"filterGreaterThanOrEqualTo": "",
"filterInNumberRange": "",
"filterIncludesString": "",
"filterIncludesStringSensitive": "",
"filterLessThan": "",
"filterLessThanOrEqualTo": "",
"filterMode": "",
"filterNotEmpty": "",
"filterNotEquals": "",
"filterStartsWith": "",
"filterWeakEquals": "",
"filteringByColumn": "",
"goToFirstPage": "",
"goToLastPage": "",
"goToNextPage": "",
"goToPreviousPage": "",
"grab": "",
"groupByColumn": "",
"groupedBy": "",
"hideAll": "",
"hideColumn": "",
"max": "",
"min": "",
"move": "",
"noRecordsToDisplay": "",
"noResultsFound": "",
"of": "",
"or": "",
"pin": "",
"pinToLeft": "",
"pinToRight": "",
"resetColumnSize": "",
"resetOrder": "",
"rowActions": "",
"rowNumber": "",
"rowNumbers": "",
"rowsPerPage": "",
"save": "",
"search": "",
"selectedCountOfRowCountRowsSelected": "",
"select": "",
"showAll": "",
"showAllColumns": "",
"showHideColumns": "",
"showHideFilters": "",
"showHideSearch": "",
"sortByColumnAsc": "",
"sortByColumnDesc": "",
"sortedByColumnAsc": "",
"sortedByColumnDesc": "",
"thenBy": "",
"toggleDensity": "",
"toggleFullScreen": "",
"toggleSelectAll": "",
"toggleSelectRow": "",
"toggleVisibility": "",
"ungroupByColumn": "",
"unpin": "",
"unpinAll": ""
}

View File

@@ -1,13 +1,13 @@
import { supportedLanguages } from "./config";
const _enTranslations = () => import("./lang/en");
const _enTranslations = () => import("./lang/en.json");
type EnTranslation = typeof _enTranslations;
export const createLanguageMapping = () => {
const mapping: Record<string, unknown> = {};
for (const language of supportedLanguages) {
mapping[language] = () => import(`./lang/${language}`) as ReturnType<EnTranslation>;
mapping[language] = () => import(`./lang/${language}.json`);
}
return mapping as Record<(typeof supportedLanguages)[number], () => ReturnType<EnTranslation>>;

View File

@@ -3,7 +3,7 @@ import type { NamespaceKeys, NestedKeyOf } from "next-intl";
import type { RemoveReadonly } from "@homarr/common/types";
import type { useI18n, useScopedI18n } from "./client";
import type enTranslation from "./lang/en";
import type enTranslation from "./lang/en.json";
export type TranslationFunction = ReturnType<typeof useI18n<never>>;
export type ScopedTranslationFunction<

View File

@@ -1,14 +1,25 @@
import { useParams } from "next/navigation";
import { useSuspenseQuery } from "@tanstack/react-query";
import type { MRT_RowData, MRT_TableOptions } from "mantine-react-table";
import { useMantineReactTable } from "mantine-react-table";
import { useI18nMessages } from "@homarr/translation/client";
import type { SupportedLanguage } from "@homarr/translation";
import { localeConfigurations } from "@homarr/translation";
export const useTranslatedMantineReactTable = <TData extends MRT_RowData>(
tableOptions: Omit<MRT_TableOptions<TData>, "localization">,
) => {
const messages = useI18nMessages();
const { locale } = useParams<{ locale: SupportedLanguage }>();
const { data: mantineReactTable } = useSuspenseQuery({
queryKey: ["mantine-react-table-locale", locale],
// eslint-disable-next-line no-restricted-syntax
queryFn: async () => {
return await localeConfigurations[locale].importMrtLocalization();
},
});
return useMantineReactTable<TData>({
...tableOptions,
localization: messages.common.mantineReactTable,
localization: mantineReactTable,
});
};

View File

@@ -18,7 +18,7 @@ export default defineConfig({
provider: "v8",
reporter: ["html", "json-summary", "json"],
all: true,
exclude: ["apps/nextjs/.next/"],
exclude: (configDefaults.coverage.exclude ?? []).concat("apps/nextjs/.next/"),
reportOnFailure: true,
},