chore(release): automatic release v1.5.0

This commit is contained in:
homarr-releases[bot]
2025-02-07 19:12:36 +00:00
committed by GitHub
87 changed files with 5752 additions and 1382 deletions

View File

@@ -31,6 +31,7 @@ body:
label: Version
description: What version of Homarr are you running?
options:
- 1.4.0
- 1.3.1
- 1.3.0
- 1.2.0

View File

@@ -10,6 +10,8 @@ RUN apk add --no-cache libc6-compat curl bash
RUN apk update
COPY . .
# Install working version of corepack (See https://github.com/nodejs/corepack/issues/612)
RUN npm install -g corepack@0.31.0 && corepack --version
RUN corepack enable pnpm && pnpm install --recursive --frozen-lockfile
# Copy static data as it is not part of the build
@@ -17,6 +19,8 @@ COPY static-data ./static-data
ARG SKIP_ENV_VALIDATION='true'
ARG CI='true'
ARG DISABLE_REDIS_LOGS='true'
# Install working version of corepack (See https://github.com/nodejs/corepack/issues/612)
RUN npm install -g corepack@0.31.0 && corepack --version
RUN corepack enable pnpm && pnpm build
FROM base AS runner
@@ -66,4 +70,4 @@ ENV AUTH_PROVIDERS='credentials'
ENV NODE_ENV='production'
ENTRYPOINT [ "/app/entrypoint.sh" ]
CMD ["sh", "run.sh"]
CMD ["sh", "run.sh"]

View File

@@ -50,7 +50,7 @@
"@mantine/tiptap": "^7.16.2",
"@million/lint": "1.0.14",
"@t3-oss/env-nextjs": "^0.12.0",
"@tabler/icons-react": "^3.29.0",
"@tabler/icons-react": "^3.30.0",
"@tanstack/react-query": "^5.66.0",
"@tanstack/react-query-devtools": "^5.66.0",
"@tanstack/react-query-next-experimental": "^5.66.0",
@@ -67,7 +67,7 @@
"dotenv": "^16.4.7",
"flag-icons": "^7.3.2",
"glob": "^11.0.1",
"jotai": "^2.11.2",
"jotai": "^2.11.3",
"mantine-react-table": "2.0.0-beta.8",
"next": "15.1.6",
"postcss-preset-mantine": "^1.17.0",
@@ -76,7 +76,7 @@
"react-dom": "19.0.0",
"react-error-boundary": "^5.0.0",
"react-simple-code-editor": "^0.14.1",
"sass": "^1.83.4",
"sass": "^1.84.0",
"superjson": "2.2.2",
"swagger-ui-react": "^5.18.3",
"use-deep-compare-effect": "^1.8.1",
@@ -87,7 +87,7 @@
"@homarr/prettier-config": "workspace:^0.1.0",
"@homarr/tsconfig": "workspace:^0.1.0",
"@types/chroma-js": "3.1.1",
"@types/node": "^22.12.0",
"@types/node": "^22.13.1",
"@types/prismjs": "^1.26.5",
"@types/react": "19.0.8",
"@types/react-dom": "19.0.3",

View File

@@ -1,5 +1,5 @@
.bannerContainer {
border-radius: 8px;
border-radius: 16px;
overflow: hidden;
@mixin dark {
background: linear-gradient(

View File

@@ -1,11 +1,11 @@
"use client";
import { useRef } from "react";
import Link from "next/link";
import { Button, Group, Stack, Textarea, TextInput } from "@mantine/core";
import type { z } from "zod";
import { useZodForm } from "@homarr/form";
import type { TranslationFunction } from "@homarr/translation";
import { useI18n } from "@homarr/translation/client";
import { validation } from "@homarr/validation";
@@ -14,14 +14,21 @@ import { IconPicker } from "~/components/icons/picker/icon-picker";
type FormType = z.infer<typeof validation.app.manage>;
interface AppFormProps {
submitButtonTranslation: (t: TranslationFunction) => string;
buttonLabels: {
submit: string;
submitAndCreateAnother?: string;
};
initialValues?: FormType;
handleSubmit: (values: FormType) => void;
handleSubmit: (values: FormType, redirect: boolean, afterSuccess?: () => void) => void;
isPending: boolean;
}
export const AppForm = (props: AppFormProps) => {
const { submitButtonTranslation, handleSubmit, initialValues, isPending } = props;
export const AppForm = ({
buttonLabels,
handleSubmit: originalHandleSubmit,
initialValues,
isPending,
}: AppFormProps) => {
const t = useI18n();
const form = useZodForm(validation.app.manage, {
@@ -33,11 +40,23 @@ export const AppForm = (props: AppFormProps) => {
},
});
const shouldCreateAnother = useRef(false);
const handleSubmit = (values: FormType) => {
const redirect = !shouldCreateAnother.current;
const afterSuccess = shouldCreateAnother.current
? () => {
form.reset();
shouldCreateAnother.current = false;
}
: undefined;
originalHandleSubmit(values, redirect, afterSuccess);
};
return (
<form onSubmit={form.onSubmit(handleSubmit)}>
<Stack>
<TextInput {...form.getInputProps("name")} withAsterisk label={t("app.field.name.label")} />
<IconPicker initialValue={initialValues?.iconUrl} {...form.getInputProps("iconUrl")} />
<IconPicker {...form.getInputProps("iconUrl")} />
<Textarea {...form.getInputProps("description")} label={t("app.field.description.label")} />
<TextInput {...form.getInputProps("href")} label={t("app.field.url.label")} />
@@ -45,8 +64,19 @@ export const AppForm = (props: AppFormProps) => {
<Button variant="default" component={Link} href="/manage/apps">
{t("common.action.backToOverview")}
</Button>
{buttonLabels.submitAndCreateAnother && (
<Button
type="submit"
onClick={() => {
shouldCreateAnother.current = true;
}}
loading={isPending}
>
{buttonLabels.submitAndCreateAnother}
</Button>
)}
<Button type="submit" loading={isPending}>
{submitButtonTranslation(t)}
{buttonLabels.submit}
</Button>
</Group>
</Stack>

View File

@@ -8,8 +8,7 @@ import type { RouterOutputs } from "@homarr/api";
import { clientApi } from "@homarr/api/client";
import { revalidatePathActionAsync } from "@homarr/common/client";
import { showErrorNotification, showSuccessNotification } from "@homarr/notifications";
import type { TranslationFunction } from "@homarr/translation";
import { useScopedI18n } from "@homarr/translation/client";
import { useI18n, useScopedI18n } from "@homarr/translation/client";
import type { validation } from "@homarr/validation";
import { AppForm } from "../../_form";
@@ -19,14 +18,15 @@ interface AppEditFormProps {
}
export const AppEditForm = ({ app }: AppEditFormProps) => {
const t = useScopedI18n("app.page.edit.notification");
const tScoped = useScopedI18n("app.page.edit.notification");
const t = useI18n();
const router = useRouter();
const { mutate, isPending } = clientApi.app.update.useMutation({
onSuccess: () => {
showSuccessNotification({
title: t("success.title"),
message: t("success.message"),
title: tScoped("success.title"),
message: tScoped("success.message"),
});
void revalidatePathActionAsync("/manage/apps").then(() => {
router.push("/manage/apps");
@@ -34,8 +34,8 @@ export const AppEditForm = ({ app }: AppEditFormProps) => {
},
onError: () => {
showErrorNotification({
title: t("error.title"),
message: t("error.message"),
title: tScoped("error.title"),
message: tScoped("error.message"),
});
},
});
@@ -50,11 +50,11 @@ export const AppEditForm = ({ app }: AppEditFormProps) => {
[mutate, app.id],
);
const submitButtonTranslation = useCallback((t: TranslationFunction) => t("common.action.save"), []);
return (
<AppForm
submitButtonTranslation={submitButtonTranslation}
buttonLabels={{
submit: t("common.action.save"),
}}
initialValues={app}
handleSubmit={handleSubmit}
isPending={isPending}

View File

@@ -7,44 +7,55 @@ import type { z } from "zod";
import { clientApi } from "@homarr/api/client";
import { revalidatePathActionAsync } from "@homarr/common/client";
import { showErrorNotification, showSuccessNotification } from "@homarr/notifications";
import type { TranslationFunction } from "@homarr/translation";
import { useScopedI18n } from "@homarr/translation/client";
import { useI18n, useScopedI18n } from "@homarr/translation/client";
import type { validation } from "@homarr/validation";
import { AppForm } from "../_form";
export const AppNewForm = () => {
const t = useScopedI18n("app.page.create.notification");
const tScoped = useScopedI18n("app.page.create.notification");
const t = useI18n();
const router = useRouter();
const { mutate, isPending } = clientApi.app.create.useMutation({
onSuccess: () => {
showSuccessNotification({
title: t("success.title"),
message: t("success.message"),
});
void revalidatePathActionAsync("/manage/apps").then(() => {
router.push("/manage/apps");
});
},
onError: () => {
showErrorNotification({
title: t("error.title"),
message: t("error.message"),
title: tScoped("error.title"),
message: tScoped("error.message"),
});
},
});
const handleSubmit = useCallback(
(values: z.infer<typeof validation.app.manage>) => {
mutate(values);
},
[mutate],
);
(values: z.infer<typeof validation.app.manage>, redirect: boolean, afterSuccess?: () => void) => {
mutate(values, {
onSuccess() {
showSuccessNotification({
title: tScoped("success.title"),
message: tScoped("success.message"),
});
afterSuccess?.();
const submitButtonTranslation = useCallback((t: TranslationFunction) => t("common.action.create"), []);
if (!redirect) {
return;
}
void revalidatePathActionAsync("/manage/apps").then(() => {
router.push("/manage/apps");
});
},
});
},
[mutate, router, tScoped],
);
return (
<AppForm submitButtonTranslation={submitButtonTranslation} handleSubmit={handleSubmit} isPending={isPending} />
<AppForm
buttonLabels={{
submit: t("common.action.create"),
submitAndCreateAnother: t("common.action.createAnother"),
}}
handleSubmit={handleSubmit}
isPending={isPending}
/>
);
};

View File

@@ -45,7 +45,7 @@ export default async function AppsPage(props: AppsPageProps) {
<Stack>
<Title>{t("page.list.title")}</Title>
<Group justify="space-between" align="center">
<SearchInput placeholder={`${t("search")}...`} defaultValue={searchParams.search} />
<SearchInput placeholder={`${t("search")}...`} defaultValue={searchParams.search} flexExpand />
{session.user.permissions.includes("app-create") && (
<MobileAffixButton component={Link} href="/manage/apps/new">
{t("page.create.title")}

View File

@@ -67,7 +67,7 @@ const BoardCard = async ({ board }: BoardCardProps) => {
const VisibilityIcon = board.isPublic ? IconWorld : IconLock;
return (
<Card withBorder>
<Card radius="lg" withBorder>
<CardSection p="sm" withBorder>
<Group justify="space-between" align="center">
<Group gap="sm">
@@ -106,15 +106,25 @@ const BoardCard = async ({ board }: BoardCardProps) => {
</Group>
</CardSection>
<CardSection p="sm">
<Group wrap="nowrap">
<Button component={Link} href={`/boards/${board.name}`} variant="default" fullWidth>
<CardSection>
<Group gap={0} wrap="nowrap">
<Button
style={{ border: "none", borderRadius: 0 }}
component={Link}
href={`/boards/${board.name}`}
variant="default"
fullWidth
>
{t("action.open.label")}
</Button>
{isMenuVisible && (
<Menu position="bottom-end">
<MenuTarget>
<ActionIcon variant="default" size="lg">
<ActionIcon
style={{ borderTop: "none", borderBottom: "none", borderRight: "none", borderRadius: 0 }}
variant="default"
size="lg"
>
<IconDotsVertical size={16} stroke={1.5} />
</ActionIcon>
</MenuTarget>

View File

@@ -33,6 +33,7 @@ export const IntegrationCreateDropdownContent = () => {
value={search}
data-autofocus
onChange={handleSearch}
variant="filled"
/>
{filteredKinds.length > 0 ? (

View File

@@ -0,0 +1,36 @@
.root {
border-radius: var(--mantine-radius-lg);
background-color: light-dark(var(--mantine-color-gray-0), var(--mantine-color-dark-6));
}
.item {
background-color: light-dark(var(--mantine-color-gray-0), var(--mantine-color-dark-6));
border: 1px solid transparent;
position: relative;
z-index: 0;
transition: transform 150ms ease;
overflow: hidden;
&[data-first="true"] {
border-radius: var(--mantine-radius-lg) var(--mantine-radius-lg) 0 0;
}
&[data-last="true"] {
border-radius: 0 0 var(--mantine-radius-lg) var(--mantine-radius-lg);
}
&[data-active] {
transform: scale(1.01);
z-index: 1;
background-color: var(--mantine-color-body);
border-color: light-dark(var(--mantine-color-gray-2), var(--mantine-color-dark-4));
box-shadow: var(--mantine-shadow-md);
border-radius: var(--mantine-radius-lg);
}
}
.chevron {
&[data-rotate] {
transform: rotate(180deg);
}
}

View File

@@ -44,6 +44,7 @@ import { NoResults } from "~/components/no-results";
import { ActiveTabAccordion } from "../../../../components/active-tab-accordion";
import { DeleteIntegrationActionButton } from "./_integration-buttons";
import { IntegrationCreateDropdownContent } from "./new/_integration-new-dropdown";
import classes from "./page.module.css";
interface IntegrationsPageProps {
searchParams: Promise<{
@@ -133,7 +134,7 @@ const IntegrationList = async ({ integrations, activeTab }: IntegrationListProps
return <NoResults icon={IconPlugX} title={t("page.list.noResults.title")} />;
}
const grouppedIntegrations = integrations.reduce(
const groupedIntegrations = integrations.reduce(
(acc, integration) => {
// eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
if (!acc[integration.kind]) {
@@ -147,11 +148,13 @@ const IntegrationList = async ({ integrations, activeTab }: IntegrationListProps
{} as Record<IntegrationKind, RouterOutputs["integration"]["all"]>,
);
const entries = objectEntries(groupedIntegrations);
return (
<ActiveTabAccordion defaultValue={activeTab} variant="separated">
{objectEntries(grouppedIntegrations).map(([kind, integrations]) => (
<AccordionItem key={kind} value={kind}>
<AccordionControl icon={<IntegrationAvatar size="sm" kind={kind} />}>
<ActiveTabAccordion defaultValue={activeTab} radius="lg" classNames={classes}>
{entries.map(([kind, integrations], index) => (
<AccordionItem key={kind} value={kind} data-first={index === 0} data-last={index === entries.length - 1}>
<AccordionControl icon={<IntegrationAvatar size="sm" kind={kind} radius="sm" />}>
<Group>
<Text>{getIntegrationName(kind)}</Text>
<CountBadge count={integrations.length} />

View File

@@ -1,26 +1,26 @@
import type { PropsWithChildren } from "react";
import { AppShellMain } from "@mantine/core";
import {
IconAffiliateFilled,
IconBook2,
IconBox,
IconBrandDiscord,
IconBrandDocker,
IconBrandGithub,
IconBrandTablerFilled,
IconCertificate,
IconClipboardListFilled,
IconDirectionsFilled,
IconGitFork,
IconHome,
IconInfoSmall,
IconLayoutDashboard,
IconLogs,
IconHelpSquareRoundedFilled,
IconHomeFilled,
IconLayoutDashboardFilled,
IconMailForward,
IconPhoto,
IconPlug,
IconQuestionMark,
IconReport,
IconPhotoFilled,
IconPointerFilled,
IconSearch,
IconSettings,
IconTool,
IconUser,
IconSettingsFilled,
IconUserFilled,
IconUsers,
IconUsersGroup,
} from "@tabler/icons-react";
@@ -31,6 +31,7 @@ import { createDocumentationLink } from "@homarr/definitions";
import { getScopedI18n } from "@homarr/translation/server";
import { MainHeader } from "~/components/layout/header";
import { homarrLogoPath } from "~/components/layout/logo/homarr-logo";
import type { NavigationLink } from "~/components/layout/navigation";
import { MainNavigation } from "~/components/layout/navigation";
import { ClientShell } from "~/components/layout/shell";
@@ -41,11 +42,11 @@ export default async function ManageLayout({ children }: PropsWithChildren) {
const navigationLinks: NavigationLink[] = [
{
label: t("items.home"),
icon: IconHome,
icon: IconHomeFilled,
href: "/manage",
},
{
icon: IconLayoutDashboard,
icon: IconLayoutDashboardFilled,
href: "/manage/boards",
label: t("items.boards"),
},
@@ -54,9 +55,12 @@ export default async function ManageLayout({ children }: PropsWithChildren) {
href: "/manage/apps",
label: t("items.apps"),
hidden: !session,
iconProps: {
strokeWidth: 2.5,
},
},
{
icon: IconPlug,
icon: IconAffiliateFilled,
href: "/manage/integrations",
label: t("items.integrations"),
hidden: !session,
@@ -66,15 +70,18 @@ export default async function ManageLayout({ children }: PropsWithChildren) {
href: "/manage/search-engines",
label: t("items.searchEngies"),
hidden: !session,
iconProps: {
strokeWidth: 2.5,
},
},
{
icon: IconPhoto,
icon: IconPhotoFilled,
href: "/manage/medias",
label: t("items.medias"),
hidden: !session,
},
{
icon: IconUser,
icon: IconUserFilled,
label: t("items.users.label"),
hidden: !session?.user.permissions.includes("admin"),
items: [
@@ -98,7 +105,7 @@ export default async function ManageLayout({ children }: PropsWithChildren) {
},
{
label: t("items.tools.label"),
icon: IconTool,
icon: IconPointerFilled,
// As permissions always include there children permissions, we can check other-view-logs as admin includes it
hidden: !session?.user.permissions.includes("other-view-logs"),
items: [
@@ -110,13 +117,13 @@ export default async function ManageLayout({ children }: PropsWithChildren) {
},
{
label: t("items.tools.items.api"),
icon: IconPlug,
icon: IconDirectionsFilled,
href: "/manage/tools/api",
hidden: !session?.user.permissions.includes("admin"),
},
{
label: t("items.tools.items.logs"),
icon: IconLogs,
icon: IconBrandTablerFilled,
href: "/manage/tools/logs",
hidden: !session?.user.permissions.includes("other-view-logs"),
},
@@ -128,7 +135,7 @@ export default async function ManageLayout({ children }: PropsWithChildren) {
},
{
label: t("items.tools.items.tasks"),
icon: IconReport,
icon: IconClipboardListFilled,
href: "/manage/tools/tasks",
hidden: !session?.user.permissions.includes("admin"),
},
@@ -137,12 +144,12 @@ export default async function ManageLayout({ children }: PropsWithChildren) {
{
label: t("items.settings"),
href: "/manage/settings",
icon: IconSettings,
icon: IconSettingsFilled,
hidden: !session?.user.permissions.includes("admin"),
},
{
label: t("items.help.label"),
icon: IconQuestionMark,
icon: IconHelpSquareRoundedFilled,
items: [
{
label: t("items.help.items.documentation"),
@@ -172,7 +179,7 @@ export default async function ManageLayout({ children }: PropsWithChildren) {
},
{
label: t("items.about"),
icon: IconInfoSmall,
icon: homarrLogoPath,
href: "/manage/about",
},
];

View File

@@ -61,7 +61,7 @@ export default async function GroupsListPage(props: MediaListPageProps) {
const { items: medias, totalCount } = await api.media.getPaginated(searchParams);
return (
<ManageContainer size="xl">
<ManageContainer>
<DynamicBreadcrumb />
<Stack>
<Title>{t("media.plural")}</Title>

View File

@@ -83,7 +83,7 @@ export default async function ManagementPage() {
{links.map(
(link) =>
!link.hidden && (
<Card component={Link} href={link.href} key={link.href} withBorder>
<Card component={Link} href={link.href} key={link.href} radius="lg">
<Group justify="space-between" wrap="nowrap">
<Group wrap="nowrap">
<Text size="2.4rem" fw="bolder">

View File

@@ -58,7 +58,7 @@ export const SearchEngineForm = (props: SearchEngineFormProps) => {
/>
</Grid.Col>
</Grid>
<IconPicker initialValue={initialValues?.iconUrl} {...form.getInputProps("iconUrl")} />
<IconPicker {...form.getInputProps("iconUrl")} />
<Fieldset legend={t("search.engine.page.edit.configControl")}>
<SegmentedControl

View File

@@ -45,7 +45,7 @@ export default async function SearchEnginesPage(props: SearchEnginesPageProps) {
<Stack>
<Title>{tEngine("page.list.title")}</Title>
<Group justify="space-between" align="center">
<SearchInput placeholder={`${tEngine("search")}...`} defaultValue={searchParams.search} />
<SearchInput placeholder={`${tEngine("search")}...`} defaultValue={searchParams.search} flexExpand />
{session.user.permissions.includes("search-engine-create") && (
<MobileAffixButton component={Link} href="/manage/search-engines/new">
{tEngine("page.create.title")}

View File

@@ -1,14 +1,15 @@
"use client";
import { useMemo } from "react";
import { Button, Group, Stack, Text, Title } from "@mantine/core";
import { useCallback, useMemo } from "react";
import { ActionIcon, Button, Group, Stack, Text, Title } from "@mantine/core";
import { IconTrash } from "@tabler/icons-react";
import type { MRT_ColumnDef } from "mantine-react-table";
import { MantineReactTable, useMantineReactTable } from "mantine-react-table";
import type { RouterOutputs } from "@homarr/api";
import { clientApi } from "@homarr/api/client";
import { revalidatePathActionAsync } from "@homarr/common/client";
import { useModalAction } from "@homarr/modals";
import { useConfirmModal, useModalAction } from "@homarr/modals";
import { useScopedI18n } from "@homarr/translation/client";
import { UserAvatar } from "@homarr/ui";
@@ -20,7 +21,8 @@ interface ApiKeysManagementProps {
export const ApiKeysManagement = ({ apiKeys }: ApiKeysManagementProps) => {
const { openModal } = useModalAction(CopyApiKeyModal);
const { mutate, isPending } = clientApi.apiKeys.create.useMutation({
const { openConfirmModal } = useConfirmModal();
const { mutate: mutateCreate, isPending: isPendingCreate } = clientApi.apiKeys.create.useMutation({
async onSuccess(data) {
openModal({
apiKey: data.apiKey,
@@ -28,7 +30,26 @@ export const ApiKeysManagement = ({ apiKeys }: ApiKeysManagementProps) => {
await revalidatePathActionAsync("/manage/tools/api");
},
});
const { mutateAsync: mutateDeleteAsync, isPending: isPendingDelete } = clientApi.apiKeys.delete.useMutation({
async onSuccess() {
await revalidatePathActionAsync("/manage/tools/api");
},
});
const t = useScopedI18n("management.page.tool.api.tab.apiKey");
const handleDelete = useCallback(
(id: string) => {
openConfirmModal({
title: t("modal.delete.title"),
children: t("modal.delete.text"),
// eslint-disable-next-line no-restricted-syntax
async onConfirm() {
await mutateDeleteAsync({ apiKeyId: id });
},
});
},
[t, openConfirmModal, mutateDeleteAsync],
);
const columns = useMemo<MRT_ColumnDef<RouterOutputs["apiKeys"]["getAll"][number]>[]>(
() => [
@@ -46,8 +67,18 @@ export const ApiKeysManagement = ({ apiKeys }: ApiKeysManagementProps) => {
</Group>
),
},
{
header: t("table.header.actions"),
Cell: ({ row }) => (
<Group gap="xs">
<ActionIcon onClick={() => handleDelete(row.original.id)} loading={isPendingDelete} c="red">
<IconTrash size="1rem" />
</ActionIcon>
</Group>
),
},
],
[t],
[t, handleDelete, isPendingDelete],
);
const table = useMantineReactTable({
@@ -56,9 +87,9 @@ export const ApiKeysManagement = ({ apiKeys }: ApiKeysManagementProps) => {
renderTopToolbarCustomActions: () => (
<Button
onClick={() => {
mutate();
mutateCreate();
}}
loading={isPending}
loading={isPendingCreate}
>
{t("button.createApiToken")}
</Button>

View File

@@ -1,5 +1,6 @@
import { useCallback } from "react";
import { fetchApi } from "@homarr/api/client";
import { createId } from "@homarr/db/client";
import { useConfirmModal, useModalAction } from "@homarr/modals";
import { useI18n } from "@homarr/translation/client";
@@ -7,6 +8,7 @@ import { useI18n } from "@homarr/translation/client";
import type { CategorySection } from "~/app/[locale]/boards/_types";
import { useCategoryActions } from "./category-actions";
import { CategoryEditModal } from "./category-edit-modal";
import { filterByItemKind } from "./filter";
export const useCategoryMenuActions = (category: CategorySection) => {
const { openModal } = useModalAction(CategoryEditModal);
@@ -97,6 +99,28 @@ export const useCategoryMenuActions = (category: CategorySection) => {
);
}, [category, openModal, renameCategory, t]);
const openAllInNewTabs = useCallback(async () => {
const appIds = filterByItemKind(category.items, "app").map((item) => {
return item.options.appId;
});
const apps = await fetchApi.app.byIds.query(appIds);
const appsWithUrls = apps.filter((app) => app.href && app.href.length > 0);
for (const app of appsWithUrls) {
const openedWindow = window.open(app.href ?? undefined);
if (openedWindow) {
continue;
}
openConfirmModal({
title: t("section.category.openAllInNewTabs.title"),
children: t("section.category.openAllInNewTabs.text"),
});
break;
}
}, [category, t, openConfirmModal]);
return {
addCategoryAbove,
addCategoryBelow,
@@ -104,5 +128,6 @@ export const useCategoryMenuActions = (category: CategorySection) => {
moveCategoryDown,
remove,
edit,
openAllInNewTabs,
};
};

View File

@@ -5,6 +5,7 @@ import { ActionIcon, Menu } from "@mantine/core";
import {
IconDotsVertical,
IconEdit,
IconExternalLink,
IconRowInsertBottom,
IconRowInsertTop,
IconTransitionBottom,
@@ -12,6 +13,7 @@ import {
IconTrash,
} from "@tabler/icons-react";
import type { MaybePromise } from "@homarr/common/types";
import { useScopedI18n } from "@homarr/translation/client";
import type { TablerIcon } from "@homarr/ui";
@@ -27,8 +29,6 @@ export const CategoryMenu = ({ category }: Props) => {
const actions = useActions(category);
const t = useScopedI18n("section.category");
if (actions.length === 0) return null;
return (
<Menu withArrow>
<Menu.Target>
@@ -37,18 +37,20 @@ export const CategoryMenu = ({ category }: Props) => {
</ActionIcon>
</Menu.Target>
<Menu.Dropdown>
{actions.map((action) => (
<React.Fragment key={action.label}>
{"group" in action && <Menu.Label>{t(action.group)}</Menu.Label>}
<Menu.Item
leftSection={<action.icon size="1rem" />}
onClick={action.onClick}
color={"color" in action ? action.color : undefined}
>
{t(action.label)}
</Menu.Item>
</React.Fragment>
))}
{actions.map((action) => {
return (
<React.Fragment key={action.label}>
{"group" in action && <Menu.Label>{t(action.group)}</Menu.Label>}
<Menu.Item
leftSection={<action.icon size="1rem" />}
onClick={action.onClick}
color={"color" in action ? action.color : undefined}
>
{t(action.label)}
</Menu.Item>
</React.Fragment>
);
})}
</Menu.Dropdown>
</Menu>
);
@@ -106,15 +108,21 @@ const useEditModeActions = (category: CategorySection) => {
] as const satisfies ActionDefinition[];
};
// TODO: once apps are added we can use this for the open many apps action
const useNonEditModeActions = (_category: CategorySection) => {
return [] as const satisfies ActionDefinition[];
const useNonEditModeActions = (category: CategorySection) => {
const { openAllInNewTabs } = useCategoryMenuActions(category);
return [
{
icon: IconExternalLink,
label: "action.openAllInNewTabs",
onClick: openAllInNewTabs,
},
] as const satisfies ActionDefinition[];
};
interface ActionDefinition {
icon: TablerIcon;
label: string;
onClick: () => void;
onClick: () => MaybePromise<void>;
color?: string;
group?: string;
}

View File

@@ -0,0 +1,14 @@
import type { WidgetKind } from "@homarr/definitions";
import type { WidgetComponentProps } from "@homarr/widgets";
import { reduceWidgetOptionsWithDefaultValues } from "@homarr/widgets";
import type { Item } from "~/app/[locale]/boards/_types";
export const filterByItemKind = <TKind extends WidgetKind>(items: Item[], kind: TKind) => {
return items
.filter((item) => item.kind === kind)
.map((item) => ({
...item,
options: reduceWidgetOptionsWithDefaultValues(kind, item.options) as WidgetComponentProps<TKind>["options"],
}));
};

View File

@@ -1,5 +1,5 @@
import type { FocusEventHandler } from "react";
import { startTransition, useState } from "react";
import { startTransition } from "react";
import {
ActionIcon,
Box,
@@ -17,7 +17,7 @@ import {
UnstyledButton,
useCombobox,
} from "@mantine/core";
import { useDebouncedValue } from "@mantine/hooks";
import { useDebouncedValue, useUncontrolled } from "@mantine/hooks";
import { IconUpload } from "@tabler/icons-react";
import { clientApi } from "@homarr/api/client";
@@ -28,17 +28,27 @@ import { UploadMedia } from "~/app/[locale]/manage/medias/_actions/upload-media"
import classes from "./icon-picker.module.css";
interface IconPickerProps {
initialValue?: string;
value?: string;
onChange: (iconUrl: string) => void;
error?: string | null;
onFocus?: FocusEventHandler;
onBlur?: FocusEventHandler;
}
export const IconPicker = ({ initialValue, onChange, error, onFocus, onBlur }: IconPickerProps) => {
const [value, setValue] = useState<string>(initialValue ?? "");
const [search, setSearch] = useState(initialValue ?? "");
const [previewUrl, setPreviewUrl] = useState<string | null>(initialValue ?? null);
export const IconPicker = ({ value: propsValue, onChange, error, onFocus, onBlur }: IconPickerProps) => {
const [value, setValue] = useUncontrolled({
value: propsValue,
onChange,
});
const [search, setSearch] = useUncontrolled({
value,
onChange: (value) => {
setValue(value);
},
});
const [previewUrl, setPreviewUrl] = useUncontrolled({
value: propsValue ?? null,
});
const { data: session } = useSession();
const tCommon = useScopedI18n("common");
@@ -68,10 +78,9 @@ export const IconPicker = ({ initialValue, onChange, error, onFocus, onBlur }: I
onClick={() => {
const value = item.url;
startTransition(() => {
setValue(value);
setPreviewUrl(value);
setSearch(value);
onChange(value);
setValue(value);
combobox.closeDropdown();
});
}}
@@ -128,7 +137,6 @@ export const IconPicker = ({ initialValue, onChange, error, onFocus, onBlur }: I
setSearch(event.currentTarget.value);
setValue(event.currentTarget.value);
setPreviewUrl(null);
onChange(event.currentTarget.value);
}}
onClick={() => combobox.openDropdown()}
onFocus={(event) => {
@@ -154,7 +162,6 @@ export const IconPicker = ({ initialValue, onChange, error, onFocus, onBlur }: I
setValue(url);
setPreviewUrl(url);
setSearch(url);
onChange(url);
});
}}
>

View File

@@ -20,6 +20,7 @@ export const DesktopSearchInput = () => {
size="sm"
leftSection={<IconSearch size={20} stroke={1.5} />}
onClick={openSpotlight}
radius="xl"
>
{`${t("search.placeholder")}...`}
</TextInput>

View File

@@ -1,7 +1,7 @@
import type { JSX } from "react";
import { AppShellNavbar, AppShellSection, ScrollArea } from "@mantine/core";
import { AppShellNavbar, AppShellSection, Image, ScrollArea } from "@mantine/core";
import type { TablerIcon } from "@homarr/ui";
import type { TablerIcon, TablerIconProps } from "@homarr/ui";
import type { ClientNavigationLink } from "./navigation-link";
import { CommonNavLink } from "./navigation-link";
@@ -27,8 +27,13 @@ export const MainNavigation = ({ headerSection, footerSection, links }: MainNavi
return null;
}
const { icon: TablerIcon, ...props } = link;
const Icon = <TablerIcon size={20} stroke={1.5} />;
const { icon: TablerIcon, iconProps, ...props } = link;
const Icon =
typeof TablerIcon === "string" ? (
<Image src={TablerIcon} w={20} h={20} />
) : (
<TablerIcon size={20} stroke={1.5} {...iconProps} />
);
let clientLink: ClientNavigationLink;
if ("items" in props) {
clientLink = {
@@ -38,7 +43,7 @@ export const MainNavigation = ({ headerSection, footerSection, links }: MainNavi
.map((item) => {
return {
...item,
icon: <item.icon size={20} stroke={1.5} />,
icon: <item.icon size={20} stroke={1.5} {...iconProps} />,
};
}),
} as ClientNavigationLink;
@@ -55,7 +60,8 @@ export const MainNavigation = ({ headerSection, footerSection, links }: MainNavi
interface CommonNavigationLinkProps {
label: string;
icon: TablerIcon;
icon: TablerIcon | string;
iconProps?: TablerIconProps;
hidden?: boolean;
}

View File

@@ -44,7 +44,7 @@
"@homarr/eslint-config": "workspace:^0.2.0",
"@homarr/prettier-config": "workspace:^0.1.0",
"@homarr/tsconfig": "workspace:^0.1.0",
"@types/node": "^22.12.0",
"@types/node": "^22.13.1",
"dotenv-cli": "^8.0.0",
"eslint": "^9.19.0",
"prettier": "^3.4.2",

View File

@@ -38,22 +38,22 @@
"@semantic-release/github": "^11.0.1",
"@semantic-release/npm": "^12.0.1",
"@semantic-release/release-notes-generator": "^14.0.3",
"@turbo/gen": "^2.3.4",
"@turbo/gen": "^2.4.0",
"@vitejs/plugin-react": "^4.3.4",
"@vitest/coverage-v8": "^3.0.4",
"@vitest/ui": "^3.0.4",
"@vitest/coverage-v8": "^3.0.5",
"@vitest/ui": "^3.0.5",
"conventional-changelog-conventionalcommits": "^8.0.0",
"cross-env": "^7.0.3",
"jsdom": "^26.0.0",
"prettier": "^3.4.2",
"semantic-release": "^24.2.1",
"testcontainers": "^10.17.2",
"turbo": "^2.3.4",
"testcontainers": "^10.18.0",
"turbo": "^2.4.0",
"typescript": "^5.7.3",
"vite-tsconfig-paths": "^5.1.4",
"vitest": "^3.0.4"
"vitest": "^3.0.5"
},
"packageManager": "pnpm@9.15.4",
"packageManager": "pnpm@9.15.5",
"engines": {
"node": ">=22.13.1"
},

View File

@@ -49,7 +49,7 @@
"react": "19.0.0",
"react-dom": "19.0.0",
"superjson": "2.2.2",
"trpc-to-openapi": "^2.1.2",
"trpc-to-openapi": "^2.1.3",
"zod": "^3.24.1"
},
"devDependencies": {

View File

@@ -1,6 +1,8 @@
import { z } from "zod";
import { createSaltAsync, hashPasswordAsync } from "@homarr/auth";
import { generateSecureRandomToken } from "@homarr/common/server";
import { createId, db } from "@homarr/db";
import { createId, db, eq } from "@homarr/db";
import { apiKeys } from "@homarr/db/schema";
import { createTRPCRouter, permissionRequiredProcedure } from "../trpc";
@@ -39,4 +41,10 @@ export const apiKeysRouter = createTRPCRouter({
apiKey: `${id}.${randomToken}`,
};
}),
delete: permissionRequiredProcedure
.requiresPermission("admin")
.input(z.object({ apiKeyId: z.string() }))
.mutation(async ({ ctx, input }) => {
await ctx.db.delete(apiKeys).where(eq(apiKeys.id, input.apiKeyId)).limit(1);
}),
});

View File

@@ -195,6 +195,12 @@ export const searchEngineRouter = createTRPCRouter({
.requiresPermission("search-engine-full-all")
.input(validation.common.byId)
.mutation(async ({ ctx, input }) => {
await ctx.db
.update(users)
.set({
defaultSearchEngineId: null,
})
.where(eq(users.defaultSearchEngineId, input.id));
await ctx.db.delete(searchEngines).where(eq(searchEngines.id, input.id));
}),
});

View File

@@ -38,7 +38,7 @@
"@homarr/server-settings": "workspace:^0.1.0",
"@homarr/translation": "workspace:^0.1.0",
"@homarr/validation": "workspace:^0.1.0",
"semver-parser": "^4.1.7"
"semver-parser": "^4.1.8"
},
"devDependencies": {
"@homarr/eslint-config": "workspace:^0.2.0",

View File

@@ -0,0 +1,2 @@
-- Custom SQL migration file, put your code below! --
-- This file is empty as there was a bug in the migration script of sqlite, missing on delete actions. See https://github.com/homarr-labs/homarr/pull/2211 --

File diff suppressed because it is too large Load Diff

View File

@@ -162,6 +162,13 @@
"when": 1737927618711,
"tag": "0022_famous_otto_octavius",
"breakpoints": true
},
{
"idx": 23,
"version": "5",
"when": 1738687012272,
"tag": "0023_fix_on_delete_actions",
"breakpoints": true
}
]
}

View File

@@ -0,0 +1,39 @@
-- Custom SQL migration file, put your code below! --
COMMIT TRANSACTION;
--> statement-breakpoint
PRAGMA foreign_keys = OFF;
--> statement-breakpoint
BEGIN TRANSACTION;
--> statement-breakpoint
CREATE TABLE `__new_user` (
`id` text PRIMARY KEY NOT NULL,
`name` text,
`email` text,
`email_verified` integer,
`image` text,
`password` text,
`salt` text,
`provider` text DEFAULT 'credentials' NOT NULL,
`home_board_id` text,
`mobile_home_board_id` text,
`default_search_engine_id` text,
`open_search_in_new_tab` integer DEFAULT true NOT NULL,
`color_scheme` text DEFAULT 'dark' NOT NULL,
`first_day_of_week` integer DEFAULT 1 NOT NULL,
`ping_icons_enabled` integer DEFAULT false NOT NULL,
FOREIGN KEY (`home_board_id`) REFERENCES `board`(`id`) ON UPDATE no action ON DELETE set null,
FOREIGN KEY (`mobile_home_board_id`) REFERENCES `board`(`id`) ON UPDATE no action ON DELETE set null,
FOREIGN KEY (`default_search_engine_id`) REFERENCES `search_engine`(`id`) ON UPDATE no action ON DELETE set null
);
--> statement-breakpoint
INSERT INTO `__new_user`("id", "name", "email", "email_verified", "image", "password", "salt", "provider", "home_board_id", "mobile_home_board_id", "default_search_engine_id", "open_search_in_new_tab", "color_scheme", "first_day_of_week", "ping_icons_enabled") SELECT "id", "name", "email", "email_verified", "image", "password", "salt", "provider", "home_board_id", "mobile_home_board_id", "default_search_engine_id", "open_search_in_new_tab", "color_scheme", "first_day_of_week", "ping_icons_enabled" FROM `user`;
--> statement-breakpoint
DROP TABLE `user`;
--> statement-breakpoint
ALTER TABLE `__new_user` RENAME TO `user`;
--> statement-breakpoint
COMMIT TRANSACTION;
--> statement-breakpoint
PRAGMA foreign_keys = ON;
--> statement-breakpoint
BEGIN TRANSACTION;

File diff suppressed because it is too large Load Diff

View File

@@ -162,6 +162,13 @@
"when": 1737927609085,
"tag": "0022_modern_sunfire",
"breakpoints": true
},
{
"idx": 23,
"version": "6",
"when": 1738686324915,
"tag": "0023_fix_on_delete_actions",
"breakpoints": true
}
]
}

View File

@@ -44,11 +44,11 @@
"@homarr/server-settings": "workspace:^0.1.0",
"@paralleldrive/cuid2": "^2.2.2",
"@t3-oss/env-nextjs": "^0.12.0",
"@testcontainers/mysql": "^10.17.2",
"@testcontainers/mysql": "^10.18.0",
"better-sqlite3": "^11.8.1",
"dotenv": "^16.4.7",
"drizzle-kit": "^0.30.4",
"drizzle-orm": "^0.39.1",
"drizzle-orm": "^0.39.2",
"drizzle-zod": "^0.7.0",
"mysql2": "3.12.0"
},

View File

@@ -12,7 +12,7 @@ export interface HealthMonitoring {
};
rebootRequired: boolean;
availablePkgUpdates: number;
cpuTemp: number;
cpuTemp: number | undefined;
fileSystem: {
deviceName: string;
used: string;

View File

@@ -63,9 +63,6 @@ export class OpenMediaVaultIntegration extends Integration {
if (!smartResult.success) {
throw new Error("Invalid SMART information response");
}
if (!cpuTempResult.success) {
throw new Error("Invalid CPU temperature response");
}
const fileSystem = fileSystemResult.data.response.map((fileSystem) => ({
deviceName: fileSystem.devicename,
@@ -94,7 +91,7 @@ export class OpenMediaVaultIntegration extends Integration {
},
rebootRequired: systemResult.data.response.rebootRequired,
availablePkgUpdates: systemResult.data.response.availablePkgUpdates,
cpuTemp: cpuTempResult.data.response.cputemp,
cpuTemp: cpuTempResult.success ? cpuTempResult.data.response.cputemp : undefined,
fileSystem,
smart,
};

View File

@@ -26,7 +26,7 @@
},
"prettier": "@homarr/prettier-config",
"dependencies": {
"ioredis": "5.4.2",
"ioredis": "5.5.0",
"superjson": "2.2.2",
"winston": "3.17.0"
},

View File

@@ -33,7 +33,7 @@
"@homarr/ui": "workspace:^0.1.0",
"@homarr/validation": "workspace:^0.1.0",
"@mantine/core": "^7.16.2",
"@tabler/icons-react": "^3.29.0",
"@tabler/icons-react": "^3.30.0",
"dayjs": "^1.11.13",
"next": "15.1.6",
"react": "19.0.0",

View File

@@ -25,7 +25,7 @@
"dependencies": {
"@homarr/ui": "workspace:^0.1.0",
"@mantine/notifications": "^7.16.2",
"@tabler/icons-react": "^3.29.0"
"@tabler/icons-react": "^3.30.0"
},
"devDependencies": {
"@homarr/eslint-config": "workspace:^0.2.0",

View File

@@ -56,6 +56,8 @@ const optionMapping: OptionMapping = {
showSeconds: () => undefined,
timezone: (oldOptions) => oldOptions.timezone,
useCustomTimezone: () => true,
customTimeFormat: () => undefined,
customDateFormat: () => undefined,
},
downloads: {
activeTorrentThreshold: (oldOptions) =>

View File

@@ -26,7 +26,7 @@
"@homarr/db": "workspace:^",
"@homarr/definitions": "workspace:^",
"@homarr/log": "workspace:^",
"ioredis": "5.4.2",
"ioredis": "5.5.0",
"superjson": "2.2.2"
},
"devDependencies": {

View File

@@ -30,7 +30,7 @@
"@homarr/log": "workspace:^0.1.0",
"@homarr/redis": "workspace:^0.1.0",
"dayjs": "^1.11.13",
"octokit": "^4.1.0",
"octokit": "^4.1.1",
"pretty-print-error": "^1.1.2",
"superjson": "2.2.2"
},

View File

@@ -36,8 +36,8 @@
"@mantine/core": "^7.16.2",
"@mantine/hooks": "^7.16.2",
"@mantine/spotlight": "^7.16.2",
"@tabler/icons-react": "^3.29.0",
"jotai": "^2.11.2",
"@tabler/icons-react": "^3.30.0",
"jotai": "^2.11.3",
"next": "15.1.6",
"react": "19.0.0",
"react-dom": "19.0.0",

View File

@@ -2,237 +2,237 @@
"init": {
"step": {
"start": {
"title": "",
"subtitle": "",
"description": "",
"title": "Us donem la benvinguda a Homarr",
"subtitle": "Comencem configurant la vostra instància de Homarr.",
"description": "Per començar, seleccioneu com voleu configurar la vostra instància de Homarr.",
"action": {
"scratch": "",
"importOldmarr": ""
"scratch": "Comença des de zero",
"importOldmarr": "Importa des d'una versió de Homarr anterior a 1.0"
}
},
"import": {
"title": "",
"subtitle": "",
"title": "Importa dades",
"subtitle": "Pot importar dades des d'una instància de Homarr existent.",
"dropzone": {
"title": "",
"description": ""
"title": "Arrossegueu el fitxer zip aquí o feu clic per navegar",
"description": "El fitxer zip carregat es processarà i podreu seleccionar què voleu importar"
},
"fileInfo": {
"action": {
"change": ""
"change": "Canvia el fitzer"
}
},
"importSettings": {
"title": "",
"description": ""
"title": "Importa la configuració",
"description": "Configura el comportament d'importació"
},
"boardSelection": {
"title": "",
"description": "",
"title": "S'han trobat {count} taulers",
"description": "Escolliu tots els taulers amb la mida que voleu importar",
"action": {
"selectAll": "",
"unselectAll": ""
"selectAll": "Seleccionar-ho tot",
"unselectAll": "Anul·la la selecció"
}
},
"summary": {
"title": "",
"description": "",
"title": "Resum de la importació",
"description": "En el resum següent podeu veure el que s'importarà",
"action": {
"import": ""
"import": "Confirma la importació i continua"
},
"entities": {
"apps": "",
"boards": "",
"integrations": "",
"apps": "Aplicacions",
"boards": "Tauler",
"integrations": "Integracions",
"credentialUsers": ""
}
},
"tokenModal": {
"title": "",
"title": "Introduïu el token d'importació",
"field": {
"token": {
"label": "",
"description": ""
"label": "Token",
"description": "Introduïu el token d'importació mostrat a la instància prèvia de Homarr"
}
},
"notification": {
"error": {
"title": "",
"message": ""
"title": "Token invàlid",
"message": "El token que heu introduït no és vàlid"
}
}
}
},
"user": {
"title": "",
"subtitle": "",
"title": "Usuari administrador",
"subtitle": "Especifiqueu les credencials del vostre usuari administrador.",
"notification": {
"success": {
"title": "",
"message": ""
"title": "S'ha creat l'usuari",
"message": "L'usuari s'ha creat correctament"
},
"error": {
"title": ""
"title": "S'ha produït un error al crear l'usuari"
}
}
},
"group": {
"title": "",
"subtitle": "",
"title": "Grup extern",
"subtitle": "Especifiqueu el grup que s'ha d'utilitzar per als usuaris externs.",
"form": {
"name": {
"label": "",
"label": "Nom del grup",
"description": ""
}
}
},
"settings": {
"title": "",
"subtitle": ""
"title": "Configuració",
"subtitle": "Configureu els paràmetres del servidor."
},
"finish": {
"title": "",
"subtitle": "",
"description": "",
"title": "Finalitza la configuració",
"subtitle": "Ja està tot llest!",
"description": "El procés de configuració s'ha completat correctament. Podeu començar a utilitzar Homarr. Escolliu la vostra propera acció:",
"action": {
"goToBoard": "",
"createBoard": "",
"inviteUser": "",
"docs": ""
"goToBoard": "Ves al tauler {name}",
"createBoard": "Creeu el vostre primer tauler",
"inviteUser": "Convideu altres usuaris",
"docs": "Llegiu la documentació"
}
}
},
"backToStart": ""
"backToStart": "Torna a l'inici"
},
"user": {
"title": "",
"name": "",
"title": "Usuaris",
"name": "Usuari",
"page": {
"login": {
"title": "",
"title": "Entreu al vostre compte",
"subtitle": ""
},
"invite": {
"title": "",
"title": "Uneix-te a Homarr",
"subtitle": "",
"description": ""
},
"init": {
"title": "",
"subtitle": ""
"title": "Nova instal·lació de Homarr",
"subtitle": "Creeu l'usuari administrador inicial"
}
},
"field": {
"email": {
"label": "",
"verified": ""
"label": "Adreça electrònica",
"verified": "Verificat"
},
"username": {
"label": ""
"label": "Nom dusuari"
},
"password": {
"label": "",
"label": "Contrasenya",
"requirement": {
"length": "",
"lowercase": "",
"uppercase": "",
"number": "",
"special": ""
"length": "Inclou com a mínim 8 caràcters",
"lowercase": "Inclou minúscules",
"uppercase": "Inclou majúscules",
"number": "Inclou nombres",
"special": "Inclou símbols especials"
}
},
"passwordConfirm": {
"label": ""
"label": "Confiremeu la contrasenya"
},
"previousPassword": {
"label": ""
"label": "Contrasenya anterior"
},
"homeBoard": {
"label": ""
"label": "Tauler principal"
},
"pingIconsEnabled": {
"label": ""
"label": "Utilitza icones pels pings"
},
"defaultSearchEngine": {
"label": ""
"label": "Motor de cerca principal"
},
"openSearchInNewTab": {
"label": ""
"label": "Obre els resultats de la cerca en una pestanya nova"
}
},
"error": {
"usernameTaken": ""
"usernameTaken": "El nom dusuari ja està en ús"
},
"action": {
"login": {
"label": "",
"labelWith": "",
"label": "Inicia la sessió",
"labelWith": "Inicia la sessió amb {provider}",
"notification": {
"success": {
"title": "",
"message": ""
"title": "Inici de sessió correcte",
"message": "Heu iniciat sessió"
},
"error": {
"title": "",
"message": ""
"title": "No s'ha pogut iniciar sessió",
"message": "No s'ha pogut iniciar la sessió"
}
},
"forgotPassword": {
"label": "",
"label": "Heu oblidat la contrasenya?",
"description": ""
}
},
"register": {
"label": "",
"label": "Crear un compte",
"notification": {
"success": {
"title": "",
"message": ""
"title": "S'ha creat el compte",
"message": "Inicieu la sessió per continuar"
},
"error": {
"title": "",
"message": ""
"title": "La creació del compte ha fallat",
"message": "No s'ha pogut crear el compte"
}
}
},
"create": "",
"create": "Crea un usuari",
"changePassword": {
"label": "",
"label": "Canvia la contrasenya",
"notification": {
"success": {
"message": ""
"message": "La contrasenya s'ha canviat correctament"
},
"error": {
"message": ""
"message": "No s'ha pogut canviar la contrasenya"
}
}
},
"changeHomeBoard": {
"notification": {
"success": {
"message": ""
"message": "El tauler d'inici s'ha canviat correctament"
},
"error": {
"message": ""
"message": "No 'ha pogut canviar el tauler d'inici"
}
}
},
"changeSearchPreferences": {
"notification": {
"success": {
"message": ""
"message": "Els paràmetres de cerca s'han canviat correctament"
},
"error": {
"message": ""
"message": "No s'han pogut canviar els paràmetres de cerca"
}
}
},
"changeFirstDayOfWeek": {
"notification": {
"success": {
"message": ""
"message": "Primer dia de la setmana establert correctament"
},
"error": {
"message": ""
"message": "No s'ha pogut canviar el primer dia de la setmana"
}
}
},
@@ -248,29 +248,29 @@
},
"manageAvatar": {
"changeImage": {
"label": "",
"label": "Canvia la imatge",
"notification": {
"success": {
"message": ""
"message": "La imatge s'ha canviat correctament"
},
"error": {
"message": ""
"message": "No s'ha pogut canviar la imatge"
},
"toLarge": {
"title": "",
"message": ""
"title": "La imatge és massa gran",
"message": "La mida màxima de la imatge és {size}"
}
}
},
"removeImage": {
"label": "",
"confirm": "",
"label": "Elimina la imatge",
"confirm": "Esteu segur que voleu eliminar la imatge?",
"notification": {
"success": {
"message": ""
"message": "La imatge s'ha eliminat correctament"
},
"error": {
"message": ""
"message": "No s'ha pogut eliminar la imatge"
}
}
}
@@ -278,104 +278,104 @@
"editProfile": {
"notification": {
"success": {
"message": ""
"message": "El perfil s'ha actualitzat correctament"
},
"error": {
"message": ""
"message": "No s'ha pogut actualitzar el perfil"
}
}
},
"delete": {
"label": "",
"description": "",
"confirm": ""
"label": "Eliminar l'usuari permanentment",
"description": "Elimina l'usuari incloent les seves configuracions. Això no esborrarà cap tauler. No es notificarà l'usuari.",
"confirm": "Esteu segur que voleu eliminar l'usuari {username} i les seves configuracions?"
},
"select": {
"label": "",
"notFound": ""
"label": "Seleccioneu l'usuari",
"notFound": "No s'ha trobat l'usuari"
},
"transfer": {
"label": ""
"label": "Seleccioneu un nou propietari"
}
}
},
"group": {
"title": "",
"name": "",
"search": "",
"title": "Grups",
"name": "Grup",
"search": "Troba un grup",
"field": {
"name": "",
"members": ""
"name": "Nom",
"members": "Membres"
},
"permission": {
"admin": {
"title": "",
"title": "Administrador",
"item": {
"admin": {
"label": "",
"description": ""
"label": "Administrador",
"description": "Els membres amb aquest permís tenen accés complet a totes les funcions i configuracions"
}
}
},
"app": {
"title": "",
"title": "Aplicacions",
"item": {
"create": {
"label": "",
"description": ""
"label": "Crear aplicacions",
"description": "Permet que els membres crein aplicacions"
},
"use-all": {
"label": "",
"description": ""
"label": "Utilitzar totes les aplicacions",
"description": "Permet que els membres afegeixin qualsevol aplicació als seus taulers"
},
"modify-all": {
"label": "",
"description": ""
"label": "Modificar totes les aplicacions",
"description": "Permet que els memebres modifiquin totes les aplicacions"
},
"full-all": {
"label": "",
"description": ""
"label": "Accés complet a les aplicacions",
"description": "Permet que els membres gestionin, utilitzin i eliminin qualsevol aplicació"
}
}
},
"board": {
"title": "",
"title": "Taulers",
"item": {
"create": {
"label": "",
"description": ""
"label": "Crear taulers",
"description": "Permet que els membres crein taulers"
},
"view-all": {
"label": "",
"description": ""
"label": "Visualitzar tots els taulers",
"description": "Permet que els membres visualitzin tots els taulers"
},
"modify-all": {
"label": "",
"description": ""
"label": "Modificar tots els taulers",
"description": "Permet que els membres modifiquin tots els taulers (No inclou control d'accés ni zona de perill)"
},
"full-all": {
"label": "",
"description": ""
"label": "Accés total a tots els taulers",
"description": "Permet que els membres visualitzin, modifiquin i esborrin tots els taulers (incloent-hi control d'accés i zona de perill)"
}
}
},
"integration": {
"title": "",
"title": "Integracions",
"item": {
"create": {
"label": "",
"description": ""
"label": "Crear integracions",
"description": "Permet que els membres crein integracions"
},
"use-all": {
"label": "",
"description": ""
"label": "Utilitzar totes les integracions",
"description": "Permet que els membres afegeixin qualsevol integració als seus taulers"
},
"interact-all": {
"label": "",
"description": ""
"label": "Interactuar amb qualsevol integració",
"description": "Permet que els usuaris interaccionin amb qualsevol integració"
},
"full-all": {
"label": "",
"label": "Accés total a les integracions",
"description": ""
}
}
@@ -518,140 +518,140 @@
"title": "",
"notification": {
"success": {
"title": "",
"message": ""
"title": "Creació correcta",
"message": "L'aplicació s'ha creat correctament"
},
"error": {
"title": "",
"message": ""
"title": "Creació fallida",
"message": "No s'ha pogut crear l'aplicació"
}
}
},
"edit": {
"title": "",
"title": "Edita l'aplicació",
"notification": {
"success": {
"title": "",
"message": ""
"title": "Els canvis s'han aplicat correctament",
"message": "L'aplicació s'ha desat correctament"
},
"error": {
"title": "",
"message": ""
"title": "No s'han pogut aplicar els canvis",
"message": "L'aplicació no s'ha pogut desar"
}
}
},
"delete": {
"title": "",
"message": "",
"title": "Elimina l'aplicació",
"message": "Esteu segur que voleu eliminar l'aplicació {name}?",
"notification": {
"success": {
"title": "",
"message": ""
"title": "Eliminació correcta",
"message": "L'aplicació s'ha eliminat correctament"
},
"error": {
"title": "",
"message": ""
"title": "Eliminació fallida",
"message": "No s'ha pogut eliminar l'aplicació"
}
}
}
},
"field": {
"name": {
"label": ""
"label": "Nom"
},
"description": {
"label": ""
"label": "Descripció"
},
"url": {
"label": ""
"label": "URL"
}
},
"action": {
"select": {
"label": "",
"notFound": ""
"label": "Seleccioneu l'aplicació",
"notFound": "No s'ha trobat cap aplicació"
}
}
},
"integration": {
"page": {
"list": {
"title": "",
"search": "",
"title": "Integracions",
"search": "Cercar integracions",
"noResults": {
"title": ""
"title": "Encara no hi ha cap integració"
}
},
"create": {
"title": "",
"title": "Nova integració de {name}",
"notification": {
"success": {
"title": "",
"message": ""
"title": "Creació correcta",
"message": "La integració s'ha creat correctament"
},
"error": {
"title": "",
"message": ""
"title": "Creació fallida",
"message": "No s'ha pogut crear la integració"
}
}
},
"edit": {
"title": "",
"title": "Edita la integració de {name}",
"notification": {
"success": {
"title": "",
"message": ""
"title": "Els canvis s'han aplicat correctament",
"message": "La integració s'ha desat correctament"
},
"error": {
"title": "",
"message": ""
"title": "No s'han pogut aplicar els canvis",
"message": "No s'ha pogut desar la integració"
}
}
},
"delete": {
"title": "",
"message": "",
"title": "Elimina la integració",
"message": "Esteu segur que voleu eliminar la integració {name}?",
"notification": {
"success": {
"title": "",
"message": ""
"title": "Eliminació correcta",
"message": "La integració s'ha eliminat correctament"
},
"error": {
"title": "",
"message": ""
"title": "Eliminació fallida",
"message": "No s'ha pogut eliminar la integració"
}
}
}
},
"field": {
"name": {
"label": ""
"label": "Nom"
},
"url": {
"label": ""
"label": "URL"
},
"attemptSearchEngineCreation": {
"label": "",
"description": ""
"label": "Crea un motor de cerca",
"description": "La integració \"{kind}\" es pot utilitzar amb els motors de cerca. Seleccioneu aquesta opció per configurar el motor de cerca automàticament."
}
},
"action": {
"create": ""
"create": "Nova integració"
},
"testConnection": {
"action": {
"create": "",
"edit": ""
"create": "Comprova la connexió i crea",
"edit": "Comprova la connexió i desa"
},
"alertNotice": "",
"alertNotice": "El botó \"Desa\" s'habilita quan la connexió s'estableix correctament",
"notification": {
"success": {
"title": "",
"message": ""
"title": "S'ha connectat",
"message": "S'ha connectat correctament"
},
"invalidUrl": {
"title": "",
"message": ""
"title": "Adreça URL no vàlida",
"message": "L'adreça URL no és vàlida"
},
"secretNotDefined": {
"title": "",
@@ -805,6 +805,7 @@
"apply": "",
"backToOverview": "",
"create": "",
"createAnother": "",
"edit": "",
"import": "",
"insert": "",
@@ -946,7 +947,8 @@
"moveUp": "",
"moveDown": "",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": ""
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "应用",
"backToOverview": "返回概览",
"create": "创建",
"createAnother": "",
"edit": "编辑",
"import": "导入",
"insert": "插入",
@@ -946,7 +947,8 @@
"moveUp": "上移",
"moveDown": "下移",
"createAbove": "上方新建分类",
"createBelow": "下方新建分类"
"createBelow": "下方新建分类",
"openAllInNewTabs": ""
},
"create": {
"title": "新建分类",
@@ -965,6 +967,10 @@
"create": "新建分类",
"changePosition": "换位"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "日期格式",
"description": "日期应该是什么样的"
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "创建 API 令牌"
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "ID",
"createdBy": "创建者"
"createdBy": "创建者",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Použít",
"backToOverview": "Zpět na přehled",
"create": "Vytvořit",
"createAnother": "",
"edit": "Upravit",
"import": "Importovat",
"insert": "Vložit",
@@ -946,7 +947,8 @@
"moveUp": "Posunout nahoru",
"moveDown": "Posunout dolů",
"createAbove": "Nová kategorie nad",
"createBelow": "Nová kategorie pod"
"createBelow": "Nová kategorie pod",
"openAllInNewTabs": ""
},
"create": {
"title": "Nová kategorie",
@@ -965,6 +967,10 @@
"create": "Nová kategorie",
"changePosition": "Změnit pozici"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "Formát data",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Anvend",
"backToOverview": "Tilbage til oversigt",
"create": "Opret",
"createAnother": "Opret og start forfra",
"edit": "Rediger",
"import": "Importér",
"insert": "Indsæt",
@@ -946,7 +947,8 @@
"moveUp": "Flyt op",
"moveDown": "Flyt ned",
"createAbove": "Ny kategori ovenover",
"createBelow": "Ny kategori nedenunder"
"createBelow": "Ny kategori nedenunder",
"openAllInNewTabs": "Åbn alt i faneblade"
},
"create": {
"title": "Ny kategori",
@@ -965,6 +967,10 @@
"create": "Ny kategori",
"changePosition": "Ændre placering"
}
},
"openAllInNewTabs": {
"title": "Åbn alt i faneblade",
"text": "Nogle browsere kan blokere bulk-åbning af faner af sikkerhedsmæssige årsager. Homarr kunne ikke åbne alle vinduer, fordi din browser blokerede denne handling. Tillad venligst \"Åbn pop op-vinduer\" og prøv igen."
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "Datoformat",
"description": "Hvordan datoen skal se ud"
},
"customTimeFormat": {
"label": "Brugerdefineret tidsformat",
"description": "Brug ISO 8601 til at formatere tid (dette vil tilsidesætte andre valgmuligheder)"
},
"customDateFormat": {
"label": "Brugerdefineret datoformat",
"description": "Brug ISO 8601 til at formatere dato (dette vil tilsidesætte andre valg)"
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "Opret API token"
},
"modal": {
"delete": {
"title": "Slet API token",
"text": "Dette vil permanent slette API-token. API-klienter der bruger dette token kan ikke længere godkende og udføre API-anmodninger. Denne handling kan ikke fortrydes."
}
},
"table": {
"header": {
"id": "ID",
"createdBy": "Oprettet af"
"createdBy": "Oprettet af",
"actions": "Handlinger"
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Übernehmen",
"backToOverview": "Zurück zur Übersicht",
"create": "Erstellen",
"createAnother": "",
"edit": "Bearbeiten",
"import": "Import",
"insert": "Einfügen",
@@ -946,7 +947,8 @@
"moveUp": "Nach oben bewegen",
"moveDown": "Nach unten bewegen",
"createAbove": "Neue Kategorie oben",
"createBelow": "Neue Kategorie unten"
"createBelow": "Neue Kategorie unten",
"openAllInNewTabs": ""
},
"create": {
"title": "Neue Kategorie",
@@ -965,6 +967,10 @@
"create": "Neue Kategorie",
"changePosition": "Position wechseln"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "Datumsformat",
"description": "Wie das Datum aussehen sollte"
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "API Token erstellen"
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "ID",
"createdBy": "Erstellt von"
"createdBy": "Erstellt von",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Εφαρμογή",
"backToOverview": "",
"create": "Δημιουργία",
"createAnother": "",
"edit": "Επεξεργασία",
"import": "",
"insert": "Εισαγωγή",
@@ -946,7 +947,8 @@
"moveUp": "Μετακίνηση επάνω",
"moveDown": "Μετακίνηση κάτω",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Αλλαγή θέσης"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "Αναγνωριστικό (ID)",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Apply",
"backToOverview": "Back to overview",
"create": "Create",
"createAnother": "Create and start over",
"edit": "Edit",
"import": "Import",
"insert": "Insert",
@@ -946,7 +947,8 @@
"moveUp": "Move up",
"moveDown": "Move down",
"createAbove": "New category above",
"createBelow": "New category below"
"createBelow": "New category below",
"openAllInNewTabs": "Open all in tabs"
},
"create": {
"title": "New category",
@@ -965,6 +967,10 @@
"create": "New category",
"changePosition": "Change position"
}
},
"openAllInNewTabs": {
"title": "Open all in tabs",
"text": "Some browsers may block the bulk-opening of tabs for security reasons. Homarr was unable to open all windows, because your browser blocked this action. Please allow \"Open pop-up windows\" and re-try."
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "Date Format",
"description": "How the date should look like"
},
"customTimeFormat": {
"label": "Custom time format",
"description": "Use ISO 8601 to format time (this will override other options)"
},
"customDateFormat": {
"label": "Custom date format",
"description": "Use ISO 8601 to format date (this will override other options)"
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "Create API token"
},
"modal": {
"delete": {
"title": "Delete API token",
"text": "This will permanently delete the API token. API clients using this token can no longer authenticate and perform API requests. This action cannot be undone."
}
},
"table": {
"header": {
"id": "ID",
"createdBy": "Created by"
"createdBy": "Created by",
"actions": "Actions"
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Aplicar",
"backToOverview": "",
"create": "Crear",
"createAnother": "",
"edit": "Editar",
"import": "",
"insert": "Insertar",
@@ -946,7 +947,8 @@
"moveUp": "Mover hacia arriba",
"moveDown": "Mover hacia abajo",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Cambiar posición"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "",
"backToOverview": "",
"create": "",
"createAnother": "",
"edit": "",
"import": "",
"insert": "",
@@ -946,7 +947,8 @@
"moveUp": "",
"moveDown": "",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": ""
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Appliquer",
"backToOverview": "",
"create": "Créer",
"createAnother": "",
"edit": "Modifier",
"import": "Importer",
"insert": "Insérer",
@@ -946,7 +947,8 @@
"moveUp": "Monter",
"moveDown": "Descendre",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Modifier la position"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -28,7 +28,7 @@
},
"boardSelection": {
"title": "נמצאו {count} לוחות",
"description": "בחר את כל הלוחות שברצונך לייבא",
"description": "בחר את כל הלוחות עם הגודל שברצונך לייבא",
"action": {
"selectAll": "בחר הכל",
"unselectAll": "בטל את הבחירה בכולם"
@@ -153,10 +153,10 @@
"label": "השתמש בסמלים עבור פינגים"
},
"defaultSearchEngine": {
"label": ""
"label": "מנוע חיפוש ברירת מחדל"
},
"openSearchInNewTab": {
"label": ""
"label": "פתיחת תוצאות חיפוש בכרטיסיה חדשה"
}
},
"error": {
@@ -219,10 +219,10 @@
"changeSearchPreferences": {
"notification": {
"success": {
"message": ""
"message": "העדפות חיפוש השתנו בהצלחה"
},
"error": {
"message": ""
"message": "לא ניתן לשנות העדפות חיפוש"
}
}
},
@@ -805,6 +805,7 @@
"apply": "החל",
"backToOverview": "חזרה לסקירה כללית",
"create": "צור",
"createAnother": "",
"edit": "עריכה",
"import": "ייבוא",
"insert": "הוספה",
@@ -946,7 +947,8 @@
"moveUp": "הזזה למעלה",
"moveDown": "הזזה למטה",
"createAbove": "קטגוריה חדשה למעלה",
"createBelow": "קטגוריה חדשה למטה"
"createBelow": "קטגוריה חדשה למטה",
"openAllInNewTabs": ""
},
"create": {
"title": "קטגוריה חדשה",
@@ -965,6 +967,10 @@
"create": "קטגוריה חדשה",
"changePosition": "שנה מיקום"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "פורמט תאריך",
"description": "איך צריך להיראות התאריך"
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -1374,11 +1388,11 @@
"label": "טמפרטורה בפרנהייט"
},
"disableTemperatureDecimals": {
"label": ""
"label": "ביטול טמפרטורה עשרונית"
},
"showCurrentWindSpeed": {
"label": "",
"description": ""
"label": "הצגת מהירות רוח נוכחית",
"description": "רק במזג אוויר נוכחי"
},
"location": {
"label": "מיקום מזג האוויר"
@@ -1398,12 +1412,12 @@
"description": "איך צריך להיראות התאריך"
}
},
"currentWindSpeed": "",
"currentWindSpeed": "{currentWindSpeed} קמ״ש",
"dailyForecast": {
"sunrise": "",
"sunset": "",
"maxWindSpeed": "",
"maxWindGusts": ""
"sunrise": "זריחה",
"sunset": "שקיעה",
"maxWindSpeed": "מהירות רוח מקסימלית: {maxWindSpeed} קמ״ש",
"maxWindGusts": "משבי רוח מקסימלים: {maxWindGusts} קמ״ש"
},
"kind": {
"clear": "בהיר",
@@ -2301,7 +2315,7 @@
"mobile": "מכשיר נייד"
}
},
"search": "",
"search": "חיפוש",
"firstDayOfWeek": "היום הראשון בשבוע",
"accessibility": "נגישות"
}
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "יצירת מפתח  API"
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "מספר מזהה",
"createdBy": "נוצר על ידי"
"createdBy": "נוצר על ידי",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "",
"backToOverview": "",
"create": "Stvoriti",
"createAnother": "",
"edit": "Uredi",
"import": "",
"insert": "",
@@ -946,7 +947,8 @@
"moveUp": "Pomakni se gore",
"moveDown": "Pomicati prema dolje",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Promijenjen položaj"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "iskaznica",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Alkalmaz",
"backToOverview": "Vissza az áttekintéshez",
"create": "Létrehozás",
"createAnother": "",
"edit": "Szerkesztés",
"import": "Importálás",
"insert": "Beillesztés",
@@ -946,7 +947,8 @@
"moveUp": "Felfelé mozgatás",
"moveDown": "Mozgatás le",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Pozíció módosítása"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "Dátum formátum",
"description": "Hogyan nézzen ki a dátum"
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "Azonosító",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Applica",
"backToOverview": "",
"create": "Crea",
"createAnother": "",
"edit": "Modifica",
"import": "",
"insert": "Inserisci",
@@ -946,7 +947,8 @@
"moveUp": "Sposta in alto",
"moveDown": "Sposta in basso",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Cambia posizione"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "適用",
"backToOverview": "",
"create": "作成",
"createAnother": "",
"edit": "編集",
"import": "",
"insert": "挿入",
@@ -946,7 +947,8 @@
"moveUp": "上に移動",
"moveDown": "下へ移動",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "ポジションを変更する"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "",
"backToOverview": "",
"create": "만들기",
"createAnother": "",
"edit": "수정",
"import": "",
"insert": "",
@@ -946,7 +947,8 @@
"moveUp": "위로 이동",
"moveDown": "아래로 이동",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "위치 변경"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "",
"backToOverview": "",
"create": "Sukurti",
"createAnother": "",
"edit": "",
"import": "",
"insert": "",
@@ -946,7 +947,8 @@
"moveUp": "Pakelti aukštyn",
"moveDown": "Perkelti žemyn",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": ""
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Lietot",
"backToOverview": "",
"create": "Izveidot",
"createAnother": "",
"edit": "Rediģēt",
"import": "",
"insert": "Ievietot",
@@ -946,7 +947,8 @@
"moveUp": "Virzīt augšup",
"moveDown": "Virzīt lejup",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Mainīt pozīciju"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Toepassen",
"backToOverview": "Terug naar overzicht",
"create": "Aanmaken",
"createAnother": "",
"edit": "Bewerken",
"import": "Importeren",
"insert": "Invoegen",
@@ -946,7 +947,8 @@
"moveUp": "Omhoog",
"moveDown": "Omlaag",
"createAbove": "Nieuwe categorie hierboven",
"createBelow": "Nieuwe categorie hieronder"
"createBelow": "Nieuwe categorie hieronder",
"openAllInNewTabs": ""
},
"create": {
"title": "Nieuwe categorie",
@@ -965,6 +967,10 @@
"create": "Nieuwe categorie",
"changePosition": "Positie wijzigen"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "Datumnotatie",
"description": "Hoe de datum eruit moet zien"
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "API-token aanmaken"
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "ID",
"createdBy": "Aangemaakt door"
"createdBy": "Aangemaakt door",
"actions": ""
}
}
}

File diff suppressed because it is too large Load Diff

View File

@@ -805,6 +805,7 @@
"apply": "Zastosuj",
"backToOverview": "Powrót do widoku ogólnego",
"create": "Utwórz",
"createAnother": "",
"edit": "Edytuj",
"import": "Importuj",
"insert": "Wstaw",
@@ -946,7 +947,8 @@
"moveUp": "Przenieś w górę",
"moveDown": "Przenieś w dół",
"createAbove": "Nowa kategoria powyżej",
"createBelow": "Nowa kategoria poniżej"
"createBelow": "Nowa kategoria poniżej",
"openAllInNewTabs": ""
},
"create": {
"title": "Nowa kategoria",
@@ -965,6 +967,10 @@
"create": "Nowa kategoria",
"changePosition": "Zmiana pozycji"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "Format daty",
"description": "Jak powinna wyglądać data"
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Aplicar",
"backToOverview": "",
"create": "Criar",
"createAnother": "",
"edit": "Editar",
"import": "",
"insert": "Inserir",
@@ -946,7 +947,8 @@
"moveUp": "Subir",
"moveDown": "Mover para baixo",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Mudar de posição"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Aplică",
"backToOverview": "",
"create": "Creează",
"createAnother": "",
"edit": "Editare",
"import": "",
"insert": "Introdu",
@@ -946,7 +947,8 @@
"moveUp": "Mută în sus",
"moveDown": "Mută în jos",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Schimbă locația"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Применить",
"backToOverview": "Вернуться к обзору",
"create": "Создать",
"createAnother": "Создать и начать заново",
"edit": "Редактировать",
"import": "Импортировать",
"insert": "Вставить",
@@ -946,7 +947,8 @@
"moveUp": "Переместить вверх",
"moveDown": "Переместить вниз",
"createAbove": "Создать категорию выше",
"createBelow": "Создать категорию ниже"
"createBelow": "Создать категорию ниже",
"openAllInNewTabs": "Открыть все во вкладках"
},
"create": {
"title": "Новая категория",
@@ -965,6 +967,10 @@
"create": "Новая категория",
"changePosition": "Изменить позицию"
}
},
"openAllInNewTabs": {
"title": "Открыть все во вкладках",
"text": "Некоторые браузеры могут блокировать широкое открытие вкладок по соображениям безопасности. Homarr не смог открыть все окна, потому что ваш браузер заблокировал это действие. Пожалуйста, разрешите \"Открыть всплывающие окна\" и повторите попытку."
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "Формат даты",
"description": "Как должна выглядеть дата"
},
"customTimeFormat": {
"label": "Пользовательский формат времени",
"description": "Использовать ISO 8601 для форматирования времени (это переопределит другие параметры)"
},
"customDateFormat": {
"label": "Пользовательский формат даты",
"description": "Использовать ISO 8601 для форматирования даты (это переопределит другие параметры)"
}
}
},
@@ -1374,11 +1388,11 @@
"label": "Температура в градусах Фаренгейта"
},
"disableTemperatureDecimals": {
"label": ""
"label": "Отключить десятичные дроби у температур"
},
"showCurrentWindSpeed": {
"label": "",
"description": ""
"label": "Показать текущую скорость ветра",
"description": "Только при текущей погоде"
},
"location": {
"label": "Местоположение"
@@ -1398,12 +1412,12 @@
"description": "Как должна отображаться дата"
}
},
"currentWindSpeed": "",
"currentWindSpeed": "{currentWindSpeed} км/ч",
"dailyForecast": {
"sunrise": "",
"sunset": "",
"maxWindSpeed": "",
"maxWindGusts": ""
"sunrise": "Восход",
"sunset": "Закат",
"maxWindSpeed": "Максимальная скорость ветра: {maxWindSpeed} км/ч",
"maxWindGusts": "Максимальные порывы ветра: {maxWindGusts} км/ч"
},
"kind": {
"clear": "Ясно",
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "Создать API-токен"
},
"modal": {
"delete": {
"title": "Удалить API-токен",
"text": "Это навсегда удалит API токен. API клиенты с помощью этого токена больше не могут аутентифицировать и выполнить API запросы. Это действие нельзя отменить."
}
},
"table": {
"header": {
"id": "ID",
"createdBy": "Создан пользователем"
"createdBy": "Создан пользователем",
"actions": "Действия"
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Použiť",
"backToOverview": "Späť na prehľad",
"create": "Vytvoriť",
"createAnother": "",
"edit": "Upraviť",
"import": "Importovať",
"insert": "Vložiť",
@@ -946,7 +947,8 @@
"moveUp": "Posunúť nahor",
"moveDown": "Posunúť nadol",
"createAbove": "Nová kategória vyššie",
"createBelow": "Nová kategória nižšie"
"createBelow": "Nová kategória nižšie",
"openAllInNewTabs": ""
},
"create": {
"title": "Nová kategória",
@@ -965,6 +967,10 @@
"create": "Nová kategória",
"changePosition": "Zmeniť pozíciu"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "Formát Dátumu",
"description": "Ako by mal dátum vyzerať"
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "Vytvorte token API"
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "ID",
"createdBy": "Vytvoril/a"
"createdBy": "Vytvoril/a",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Uporabi",
"backToOverview": "",
"create": "Ustvarite spletno stran",
"createAnother": "",
"edit": "Uredi",
"import": "",
"insert": "Vstavite",
@@ -946,7 +947,8 @@
"moveUp": "Premaknite se navzgor",
"moveDown": "Premaknite se navzdol",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Spremeni položaj"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Verkställ",
"backToOverview": "",
"create": "Skapa",
"createAnother": "",
"edit": "Redigera",
"import": "",
"insert": "Infoga",
@@ -946,7 +947,8 @@
"moveUp": "Flytta uppåt",
"moveDown": "Flytta nedåt",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Ändra position"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "Uygula",
"backToOverview": "Genel bakışa dön",
"create": "Oluştur",
"createAnother": "Kaydet ve Yeni Oluştur",
"edit": "Düzenle",
"import": "İçe aktar",
"insert": "Ekle",
@@ -946,7 +947,8 @@
"moveUp": "Yukarı taşı",
"moveDown": "Aşağı taşı",
"createAbove": "Yukarı Yeni Kategori",
"createBelow": "Aşağı Yeni Kategori"
"createBelow": "Aşağı Yeni Kategori",
"openAllInNewTabs": "Tümünü sekmelerde aç"
},
"create": {
"title": "Yeni Kategori",
@@ -965,6 +967,10 @@
"create": "Yeni Kategori",
"changePosition": "Pozisyonu değiştir"
}
},
"openAllInNewTabs": {
"title": "Tümünü sekmelerde aç",
"text": "Bazı tarayıcılar güvenlik nedeniyle sekmelerin toplu olarak açılmasını engelleyebilir. Homarr tüm pencereleri açamadı, çünkü tarayıcınız bu eylemi engelledi. Lütfen \"Açılır pencereleri aç\"a izin verin ve tekrar deneyin."
}
}
},
@@ -1166,21 +1172,21 @@
"description": "Geçerli tarih ve saati görüntüler.",
"option": {
"customTitleToggle": {
"label": "Özel Başlık/Şehir gösterimi",
"description": "Saatin üstüne özel bir başlık veya şehir/ülke adını ekleyin."
"label": "Özel Başlık/Şehir göster",
"description": "Saatin üstüne özel bir başlık veya şehir/ülke adı ekleminizi sağlar."
},
"customTitle": {
"label": "Başlık"
},
"is24HourFormat": {
"label": "24 saatlik format",
"description": "12 saatlik format yerine 24 saatlik formatı kullanın"
"label": "24 saatlik biçim",
"description": "12 saatlik format yerine 24 saatlik biçimi kullanın"
},
"showSeconds": {
"label": "Saniyeleri görüntüle"
"label": "Saniyeleri göster"
},
"useCustomTimezone": {
"label": "Sabit bir zaman dilimi kullanın"
"label": "Sabit zaman dilimi kullan"
},
"timezone": {
"label": "Saat dilimi",
@@ -1191,7 +1197,15 @@
},
"dateFormat": {
"label": "Tarih Biçimi",
"description": "Tarihin nasıl görüneceği"
"description": "Görüntülenecek tarihin biçimi"
},
"customTimeFormat": {
"label": "Özel zaman biçimi",
"description": "Zaman biçimini değiştirmek için ISO 8601 standardını kullanın (bu diğer seçenekleri geçersiz kılacaktır)"
},
"customDateFormat": {
"label": "Özel tarih biçimi",
"description": "Tarih biçimini değiştirmek için ISO 8601 standardını kullanın (bu diğer seçenekleri geçersiz kılacaktır)"
}
}
},
@@ -1354,8 +1368,8 @@
"label": "Radarr yayın türü",
"options": {
"inCinemas": "Sinemalarda",
"digitalRelease": "Dijital sürüm",
"physicalRelease": "Fiziksel Yayınlanan"
"digitalRelease": "Dijital Yayın",
"physicalRelease": "Fiziksel Yayın"
}
},
"filterPastMonths": {
@@ -1374,7 +1388,7 @@
"label": "Fahrenheit cinsinden sıcaklık"
},
"disableTemperatureDecimals": {
"label": "Sıcaklık ondalıklarını devre dışı bırak"
"label": "Sıcaklıklarda ondalıkları gösterme"
},
"showCurrentWindSpeed": {
"label": "Mevcut rüzgar hızını göster",
@@ -1395,7 +1409,7 @@
},
"dateFormat": {
"label": "Tarih Biçimi",
"description": "Tarihin nasıl görüneceği"
"description": "Görüntülenecek tarihin biçimi"
}
},
"currentWindSpeed": "{currentWindSpeed} km/s",
@@ -1403,22 +1417,22 @@
"sunrise": "Gün Doğumu",
"sunset": "Gün Batımı",
"maxWindSpeed": "Maks. Rüzgar Hızı: {maxWindSpeed} km/s",
"maxWindGusts": "Maks. Rüzgar Hamlesi: {maxWindGusts} km/h"
"maxWindGusts": "Maks. Rüzgar Hamlesi: {maxWindGusts} km/s"
},
"kind": {
"clear": "Temiz",
"clear": "ık",
"mainlyClear": "Genel olarak açık",
"fog": "Sis",
"fog": "Sisli",
"drizzle": "Çiseleme",
"freezingDrizzle": "Soğuk çiseleme",
"freezingDrizzle": "Donan Çisenti",
"rain": "Yağmur",
"freezingRain": "Dondurucu yağmur",
"snowFall": "Kar yışı",
"snowGrains": "Kar taneleri",
"rainShowers": "Sağanak yağmur",
"snowShowers": "Kar yışı",
"freezingRain": "Donan Yağmur",
"snowFall": "Kar Yış",
"snowGrains": "Donmuş Kar",
"rainShowers": "Sağanak Yağmur",
"snowShowers": "Kar Yışlı",
"thunderstorm": "Fırtına",
"thunderstormWithHail": "Fırtına ve dolu",
"thunderstormWithHail": "Dolu Yağışlı Fırtına",
"unknown": "Bilinmeyen"
}
},
@@ -1710,7 +1724,7 @@
"completed": "Tamamlanan",
"failed": "Başarısız",
"processing": "İşlemde",
"leeching": "Leechleme",
"leeching": "Aranıyor",
"stalled": "Durduruldu",
"unknown": "Bilinmeyen",
"seeding": "Seed ediliyor"
@@ -2148,8 +2162,8 @@
"homeBoard": {
"title": "Öntanımlı Panel Yapılandırılmadı",
"admin": {
"description": "Sunucu için henüz bir ana sayfa paneli belirlemediniz.",
"link": "Sunucu geneli için ana panel yapılandırın",
"description": "Sunucu için henüz öntanımlı panel belirlemediniz.",
"link": "Sunucu geneli için öntanımlı panel atayın",
"notice": "Bu sayfayı tüm kullanıcılardan gizlemek için sunucu için bir ana panel ayarlayın"
},
"user": {
@@ -2459,8 +2473,8 @@
"board": {
"title": "Paneller",
"homeBoard": {
"label": "Genel Ana Sayfa Paneli",
"mobileLabel": "Genel Mobil Panel",
"label": "Genel öntanımlı panel",
"mobileLabel": "Genel öntanımlı mobil panel",
"description": "Seçim yalnızca herkese açık paneller için kullanılabilir"
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "API token'ı oluştur"
},
"modal": {
"delete": {
"title": "API belirtecini sil",
"text": "Bu, API belirtecini kalıcı olarak silecektir. Bu belirteci kullanan API istemcileri artık kimlik doğrulaması yapamaz ve API istekleri gerçekleştiremez. Bu eylem geri alınamaz."
}
},
"table": {
"header": {
"id": "Kimlik",
"createdBy": "Tarafından oluşturuldu"
"createdBy": "Tarafından oluşturuldu",
"actions": "Eylemler"
}
}
}

View File

@@ -51,7 +51,7 @@
"title": "Введіть токен імпорту",
"field": {
"token": {
"label": "Токен.",
"label": "Токен",
"description": "Введіть показаний токен імпорту з вашого попереднього екземпляра homarr"
}
},
@@ -219,7 +219,7 @@
"changeSearchPreferences": {
"notification": {
"success": {
"message": ""
"message": "Налаштування пошуку успішно змінено"
},
"error": {
"message": "Не вдалося змінити налаштування пошуку"
@@ -805,6 +805,7 @@
"apply": "Застосувати",
"backToOverview": "Назад до огляду",
"create": "Створити",
"createAnother": "",
"edit": "Редагувати",
"import": "Імпорт",
"insert": "Вставити",
@@ -877,7 +878,7 @@
"switchToDarkMode": "Перемикнути на темну тему",
"switchToLightMode": "Перемикнути на світлу тему",
"management": "Управління",
"preferences": "Ваші уподобання",
"preferences": "Ваші налаштування",
"logout": "Вийти",
"login": "Логін",
"homeBoard": "Ваша домашня дошка",
@@ -946,7 +947,8 @@
"moveUp": "Перемістити вгору",
"moveDown": "Перемістити вниз",
"createAbove": "Нові категорії зверху",
"createBelow": "Нова категорія знизу"
"createBelow": "Нова категорія знизу",
"openAllInNewTabs": ""
},
"create": {
"title": "Нова категорія",
@@ -965,6 +967,10 @@
"create": "Нова категорія",
"changePosition": "Змінити положення"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "Формат дати",
"description": "Як має виглядати дата"
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -1424,10 +1438,10 @@
},
"indexerManager": {
"name": "Статус менеджера індексування",
"description": "",
"description": "Статус ваших індексаторів",
"option": {
"openIndexerSiteInNewTab": {
"label": ""
"label": "Відкрити сайт індексатора у новій вкладці"
}
},
"title": "Менеджер індексації",
@@ -2072,14 +2086,14 @@
"title": ""
},
"access": {
"title": "",
"title": "Управління доступом",
"permission": {
"item": {
"view": {
"label": "Перегляд дошки"
},
"modify": {
"label": ""
"label": "Змінювати дошку"
},
"full": {
"label": "Повний доступ"
@@ -2297,7 +2311,7 @@
"board": {
"title": "Домашня дошка",
"type": {
"general": "",
"general": "Загальна",
"mobile": "Мобільна"
}
},
@@ -2336,7 +2350,7 @@
"description": ""
},
"review": {
"label": ""
"label": "Огляд"
},
"completed": {
"title": "Користувача створено"
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "Створити API токен"
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "ІДЕНТИФІКАТОР",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}
@@ -2720,10 +2741,10 @@
"permission": {
"title": "Дозволи",
"userSelect": {
"title": ""
"title": "Додати дозвіл для користувача"
},
"groupSelect": {
"title": ""
"title": "Додати дозвіл для групи"
},
"tab": {
"user": "Користувачі",
@@ -2738,12 +2759,12 @@
"label": "Група"
},
"permission": {
"label": ""
"label": "Дозвіл"
}
},
"action": {
"saveUser": "",
"saveGroup": ""
"saveUser": "Зберегти дозвіл користувача",
"saveGroup": "Зберегти дозвіл групи"
}
},
"navigationStructure": {
@@ -2753,7 +2774,7 @@
"label": "Дошки"
},
"integrations": {
"label": "",
"label": "Інтеграції",
"edit": {
"label": "Редагувати"
},
@@ -2762,7 +2783,7 @@
}
},
"search-engines": {
"label": "",
"label": "Пошукові системи",
"new": {
"label": ""
},
@@ -2771,7 +2792,7 @@
}
},
"medias": {
"label": ""
"label": "Медіа"
},
"apps": {
"label": "Додатки",
@@ -2791,7 +2812,7 @@
"security": "Безпека",
"board": "Дошки",
"groups": {
"label": ""
"label": "Групи"
},
"invites": {
"label": "Запрошення"
@@ -2800,13 +2821,13 @@
"tools": {
"label": "Інструменти",
"docker": {
"label": ""
"label": "Докер"
},
"logs": {
"label": ""
"label": "Логи"
},
"certificates": {
"label": ""
"label": "Сертифікати"
}
},
"settings": {
@@ -2819,7 +2840,7 @@
},
"search": {
"placeholder": "",
"nothingFound": "",
"nothingFound": "Нічого не знайдено",
"error": {
"fetch": ""
},
@@ -2835,7 +2856,7 @@
"label": "Відкрити посилання на додаток"
},
"edit": {
"label": ""
"label": "Редагувати додаток"
}
},
"detail": {
@@ -2851,10 +2872,10 @@
"label": "Відкрити дошку"
},
"homeBoard": {
"label": ""
"label": "Встановити як домашню дошку"
},
"mobileBoard": {
"label": ""
"label": "Встановити як мобільну дошку"
},
"settings": {
"label": "Відкрити налаштування"
@@ -3140,15 +3161,15 @@
"interactive": ""
},
"create": {
"title": "",
"title": "Нова пошукова система",
"notification": {
"success": {
"title": "",
"message": ""
"title": "Пошукова система створена",
"message": "Пошукова система успішно створена"
},
"error": {
"title": "",
"message": ""
"title": "Пошукова система не створена",
"message": "Не вдалося створити пошукову систему"
}
}
},
@@ -3171,16 +3192,16 @@
}
},
"delete": {
"title": "",
"message": "",
"title": "Видалити пошукову систему",
"message": "Ви впевнені, що хочете видалити пошукову систему \"{name}\"?",
"notification": {
"success": {
"title": "",
"message": ""
"title": "Пошукову систему видалено",
"message": "Пошукову систему успішно видалено"
},
"error": {
"title": "",
"message": ""
"title": "Пошукова система не видалена",
"message": "Не вдалося видалити пошукову систему"
}
}
}
@@ -3188,11 +3209,11 @@
"media": {
"request": {
"modal": {
"title": "",
"title": "Запит \"{name}\"",
"table": {
"header": {
"season": "",
"episodes": ""
"season": "Сезон",
"episodes": "Серії"
}
},
"button": {

View File

@@ -805,6 +805,7 @@
"apply": "Áp dụng",
"backToOverview": "",
"create": "Tạo nên",
"createAnother": "",
"edit": "Sửa",
"import": "",
"insert": "Thêm",
@@ -946,7 +947,8 @@
"moveUp": "Đi lên",
"moveDown": "Đi xuống",
"createAbove": "",
"createBelow": ""
"createBelow": "",
"openAllInNewTabs": ""
},
"create": {
"title": "",
@@ -965,6 +967,10 @@
"create": "",
"changePosition": "Đổi vị trí"
}
},
"openAllInNewTabs": {
"title": "",
"text": ""
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "",
"description": ""
},
"customTimeFormat": {
"label": "",
"description": ""
},
"customDateFormat": {
"label": "",
"description": ""
}
}
},
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": ""
},
"modal": {
"delete": {
"title": "",
"text": ""
}
},
"table": {
"header": {
"id": "NHẬN DẠNG",
"createdBy": ""
"createdBy": "",
"actions": ""
}
}
}

View File

@@ -805,6 +805,7 @@
"apply": "應用",
"backToOverview": "返回總覽",
"create": "創建",
"createAnother": "創建並重新開始",
"edit": "編輯",
"import": "匯入",
"insert": "插入",
@@ -946,7 +947,8 @@
"moveUp": "上移",
"moveDown": "下移",
"createAbove": "新分類之上",
"createBelow": "新分類之下"
"createBelow": "新分類之下",
"openAllInNewTabs": "於分頁中開啟全部"
},
"create": {
"title": "創建分類",
@@ -965,6 +967,10 @@
"create": "創建分類",
"changePosition": "變更位置"
}
},
"openAllInNewTabs": {
"title": "於分頁中開啟全部",
"text": "某些瀏覽器可能會因安全性考量而阻止批量開啟分頁Homarr 無法開啟所有視窗,因為您的瀏覽器已封鎖此操作,請允許「開啟彈出式視窗」,然後重試"
}
}
},
@@ -1192,6 +1198,14 @@
"dateFormat": {
"label": "日期格式",
"description": "日期應該是什麼樣式"
},
"customTimeFormat": {
"label": "自訂時間格式",
"description": "使用 ISO 8601 格式化時間 (此操作將覆蓋其他選項)"
},
"customDateFormat": {
"label": "自訂日期格式",
"description": "使用 ISO 8601 格式化日期 (此操作將覆蓋其他選項)"
}
}
},
@@ -1374,11 +1388,11 @@
"label": "華氏溫度"
},
"disableTemperatureDecimals": {
"label": ""
"label": "關閉溫度小數點"
},
"showCurrentWindSpeed": {
"label": "",
"description": ""
"label": "顯示當前風速",
"description": "僅限當前天氣"
},
"location": {
"label": "天氣位置"
@@ -1398,12 +1412,12 @@
"description": "日期應該是什麼樣式"
}
},
"currentWindSpeed": "",
"currentWindSpeed": "{currentWindSpeed} 公里/時",
"dailyForecast": {
"sunrise": "",
"sunset": "",
"maxWindSpeed": "",
"maxWindGusts": ""
"sunrise": "日出",
"sunset": "日落",
"maxWindSpeed": "最大風速:{maxWindSpeed} 公里/時",
"maxWindGusts": "最大陣風:{maxWindGusts} 公里/時"
},
"kind": {
"clear": "晴朗",
@@ -2570,10 +2584,17 @@
"button": {
"createApiToken": "創建 API 密鑰"
},
"modal": {
"delete": {
"title": "刪除 API 密鑰",
"text": "這將永久刪除 API 金鑰,使用此金鑰的 API 客戶端將無法再進行身份驗證或執行 API 請求,此操作無法撤銷"
}
},
"table": {
"header": {
"id": "ID",
"createdBy": "創建者"
"createdBy": "創建者",
"actions": "動作"
}
}
}

View File

@@ -1,5 +1,6 @@
import type { Icon123 } from "@tabler/icons-react";
import type { Icon123, IconProps } from "@tabler/icons-react";
export * from "./src";
export type TablerIcon = typeof Icon123;
export type TablerIconProps = IconProps;

View File

@@ -32,7 +32,7 @@
"@mantine/core": "^7.16.2",
"@mantine/dates": "^7.16.2",
"@mantine/hooks": "^7.16.2",
"@tabler/icons-react": "^3.29.0",
"@tabler/icons-react": "^3.30.0",
"mantine-react-table": "2.0.0-beta.8",
"next": "15.1.6",
"react": "19.0.0",

View File

@@ -1,4 +1,4 @@
import type { MantineSize } from "@mantine/core";
import type { MantineRadius, MantineSize } from "@mantine/core";
import { Avatar } from "@mantine/core";
import type { IntegrationKind } from "@homarr/definitions";
@@ -7,13 +7,14 @@ import { getIconUrl } from "@homarr/definitions";
interface IntegrationAvatarProps {
size: MantineSize;
kind: IntegrationKind | null;
radius?: MantineRadius;
}
export const IntegrationAvatar = ({ kind, size }: IntegrationAvatarProps) => {
export const IntegrationAvatar = ({ kind, size, radius }: IntegrationAvatarProps) => {
const url = kind ? getIconUrl(kind) : null;
if (!url) {
return null;
}
return <Avatar size={size} src={url} />;
return <Avatar size={size} src={url} radius={radius} styles={{ image: { objectFit: "contain" } }} />;
};

View File

@@ -10,9 +10,10 @@ import { IconSearch } from "@tabler/icons-react";
interface SearchInputProps {
defaultValue?: string;
placeholder: string;
flexExpand?: boolean;
}
export const SearchInput = ({ placeholder, defaultValue }: SearchInputProps) => {
export const SearchInput = ({ placeholder, defaultValue, flexExpand = false }: SearchInputProps) => {
// eslint-disable-next-line @typescript-eslint/unbound-method
const { replace } = useRouter();
const pathName = usePathname();
@@ -40,6 +41,7 @@ export const SearchInput = ({ placeholder, defaultValue }: SearchInputProps) =>
defaultValue={defaultValue}
onChange={handleSearch}
placeholder={placeholder}
style={{ flex: flexExpand ? "1" : undefined }}
/>
);
};

View File

@@ -43,7 +43,7 @@
"@homarr/validation": "workspace:^0.1.0",
"@mantine/core": "^7.16.2",
"@mantine/hooks": "^7.16.2",
"@tabler/icons-react": "^3.29.0",
"@tabler/icons-react": "^3.30.0",
"@tiptap/extension-color": "2.11.5",
"@tiptap/extension-highlight": "2.11.5",
"@tiptap/extension-image": "2.11.5",

View File

@@ -17,6 +17,8 @@ export default function ClockWidget({ options }: WidgetComponentProps<"clock">)
const secondsFormat = options.showSeconds ? ":ss" : "";
const timeFormat = options.is24HourFormat ? `HH:mm${secondsFormat}` : `h:mm${secondsFormat} A`;
const dateFormat = options.dateFormat;
const customTimeFormat = options.customTimeFormat;
const customDateFormat = options.customDateFormat;
const timezone = options.useCustomTimezone ? options.timezone : Intl.DateTimeFormat().resolvedOptions().timeZone;
const time = useCurrentTime(options);
return (
@@ -27,11 +29,15 @@ export default function ClockWidget({ options }: WidgetComponentProps<"clock">)
</Text>
)}
<Text className="clock-time-text" fw={700} size="22.5cqmin" lh="1">
{dayjs(time).tz(timezone).format(timeFormat)}
{options.customTimeFormat
? dayjs(time).tz(timezone).format(customTimeFormat)
: dayjs(time).tz(timezone).format(timeFormat)}
</Text>
{options.showDate && (
<Text className="clock-date-text" size="12.5cqmin" p="1cqmin" lineClamp={1}>
{dayjs(time).tz(timezone).format(dateFormat)}
{options.customDateFormat
? dayjs(time).tz(timezone).format(customDateFormat)
: dayjs(time).tz(timezone).format(dateFormat)}
</Text>
)}
</Stack>

View File

@@ -46,6 +46,14 @@ export const { definition, componentLoader } = createWidgetDefinition("clock", {
defaultValue: "dddd, MMMM D",
withDescription: true,
}),
customTimeFormat: factory.text({
defaultValue: "",
withDescription: true,
}),
customDateFormat: factory.text({
defaultValue: "",
withDescription: true,
}),
}),
{
customTitle: {

View File

@@ -347,9 +347,14 @@ const CpuRing = ({ cpuUtilization }: { cpuUtilization: number }) => {
);
};
const CpuTempRing = ({ fahrenheit, cpuTemp }: { fahrenheit: boolean; cpuTemp: number }) => {
const CpuTempRing = ({ fahrenheit, cpuTemp }: { fahrenheit: boolean; cpuTemp: number | undefined }) => {
const { width, ref } = useElementSize();
const fallbackWidth = width || 1; // See https://github.com/homarr-labs/homarr/issues/2196
if (!cpuTemp) {
return null;
}
return (
<Box ref={ref} w="100%" h="100%" className="health-monitoring-cpu-temperature">
<RingProgress

770
pnpm-lock.yaml generated

File diff suppressed because it is too large Load Diff

View File

@@ -19,12 +19,12 @@
"dependencies": {
"@next/eslint-plugin-next": "^15.1.6",
"eslint-config-prettier": "^10.0.1",
"eslint-config-turbo": "^2.3.4",
"eslint-config-turbo": "^2.4.0",
"eslint-plugin-import": "^2.31.0",
"eslint-plugin-jsx-a11y": "^6.10.2",
"eslint-plugin-react": "^7.37.4",
"eslint-plugin-react-hooks": "^5.1.0",
"typescript-eslint": "^8.22.0"
"typescript-eslint": "^8.23.0"
},
"devDependencies": {
"@homarr/prettier-config": "workspace:^0.1.0",