feat: init @librechat/client

This commit is contained in:
Marco Beretta 2025-07-05 22:49:28 +02:00
parent 42977ac0d0
commit e4adfe771b
No known key found for this signature in database
GPG key ID: D918033D8E74CC11
207 changed files with 21208 additions and 239 deletions

View file

@ -1,7 +1,6 @@
import React, { useEffect } from 'react';
import { useForm, Controller } from 'react-hook-form';
import { Input, Label, OGDialog, Button } from '~/components/ui';
import OGDialogTemplate from '~/components/ui/OGDialogTemplate';
import { Button, Input, Label, OGDialog, OGDialogTemplate } from '~/components';
import { useLocalize } from '~/hooks';
export interface ConfigFieldDetail {

View file

@ -3,7 +3,7 @@ import { SettingsIcon } from 'lucide-react';
import { Constants } from 'librechat-data-provider';
import { useUpdateUserPluginsMutation } from 'librechat-data-provider/react-query';
import type { TUpdateUserPlugins, TPlugin } from 'librechat-data-provider';
import MCPConfigDialog, { type ConfigFieldDetail } from '~/components/ui/MCPConfigDialog';
import MCPConfigDialog, { type ConfigFieldDetail } from './MCPConfigDialog';
import { useToastContext, useBadgeRowContext } from '~/Providers';
import MultiSelect from '~/components/ui/MultiSelect';
import { MCPIcon } from '~/components/svg';

View file

@ -1,10 +1,10 @@
import React from 'react';
import { Root, Trigger, Content, Portal } from '@radix-ui/react-popover';
import MenuItem from '~/components/Chat/Menus/UI/MenuItem';
import { useMultiSearch } from '~/components';
import type { Option } from '~/common';
import { useLocalize } from '~/hooks';
import { cn } from '~/utils/';
import { useMultiSearch } from './MultiSearch';
type SelectDropDownProps = {
id?: string;

View file

@ -1,26 +1,28 @@
import { useCallback, useState, useMemo, useEffect } from 'react';
import { Link } from 'react-router-dom';
import debounce from 'lodash/debounce';
import { useRecoilValue } from 'recoil';
import { Link } from 'react-router-dom';
import { TrashIcon, MessageSquare, ArrowUpDown, ArrowUp, ArrowDown } from 'lucide-react';
import type { SharedLinkItem, SharedLinksListParams } from 'librechat-data-provider';
import {
OGDialog,
OGDialogTemplate,
OGDialogTrigger,
OGDialogContent,
OGDialogHeader,
OGDialogTitle,
TooltipAnchor,
DataTable,
Spinner,
Button,
Label,
Spinner,
} from '~/components';
import { useDeleteSharedLinkMutation, useSharedLinksQuery } from '~/data-provider';
import OGDialogTemplate from '~/components/ui/OGDialogTemplate';
import { useLocalize, useMediaQuery } from '~/hooks';
import DataTable from '~/components/ui/DataTable';
import { NotificationSeverity } from '~/common';
import { useToastContext } from '~/Providers';
import { formatDate } from '~/utils';
import store from '~/store';
const PAGE_SIZE = 25;
@ -36,6 +38,7 @@ export default function SharedLinks() {
const localize = useLocalize();
const { showToast } = useToastContext();
const isSmallScreen = useMediaQuery('(max-width: 768px)');
const isSearchEnabled = useRecoilValue(store.search);
const [queryParams, setQueryParams] = useState<SharedLinksListParams>(DEFAULT_PARAMS);
const [deleteRow, setDeleteRow] = useState<SharedLinkItem | null>(null);
const [isDeleteOpen, setIsDeleteOpen] = useState(false);
@ -308,6 +311,7 @@ export default function SharedLinks() {
onFilterChange={debouncedFilterChange}
filterValue={queryParams.search}
isLoading={isLoading}
enableSearch={isSearchEnabled}
/>
</OGDialogContent>
</OGDialog>

View file

@ -1,5 +1,6 @@
import { useState, useCallback, useMemo, useEffect } from 'react';
import debounce from 'lodash/debounce';
import { useRecoilValue } from 'recoil';
import { TrashIcon, ArchiveRestore, ArrowUp, ArrowDown, ArrowUpDown } from 'lucide-react';
import type { ConversationListParams, TConversation } from 'librechat-data-provider';
import {
@ -11,6 +12,7 @@ import {
Label,
TooltipAnchor,
Spinner,
DataTable,
} from '~/components';
import {
useArchiveConvoMutation,
@ -19,10 +21,10 @@ import {
} from '~/data-provider';
import { useLocalize, useMediaQuery } from '~/hooks';
import { MinimalIcon } from '~/components/Endpoints';
import DataTable from '~/components/ui/DataTable';
import { NotificationSeverity } from '~/common';
import { useToastContext } from '~/Providers';
import { formatDate } from '~/utils';
import store from '~/store';
const DEFAULT_PARAMS: ConversationListParams = {
isArchived: true,
@ -39,7 +41,7 @@ export default function ArchivedChatsTable({
const localize = useLocalize();
const isSmallScreen = useMediaQuery('(max-width: 768px)');
const { showToast } = useToastContext();
const isSearchEnabled = useRecoilValue(store.search);
const [isDeleteOpen, setIsDeleteOpen] = useState(false);
const [queryParams, setQueryParams] = useState<ConversationListParams>(DEFAULT_PARAMS);
const [deleteConversation, setDeleteConversation] = useState<TConversation | null>(null);
@ -272,6 +274,7 @@ export default function ArchivedChatsTable({
isFetchingNextPage={isFetchingNextPage}
isLoading={isLoading}
showCheckboxes={false}
enableSearch={isSearchEnabled}
/>
<OGDialog open={isDeleteOpen} onOpenChange={onOpenChange}>

View file

@ -1,111 +0,0 @@
import React from 'react';
import { Search } from 'lucide-react';
import { cn } from '~/utils';
const AnimatedSearchInput = ({
value,
onChange,
isSearching: searching,
placeholder,
}: {
value?: string;
onChange: (e: React.ChangeEvent<HTMLInputElement>) => void;
isSearching?: boolean;
placeholder: string;
}) => {
const isSearching = searching === true;
const hasValue = value != null && value.length > 0;
return (
<div className="relative w-full">
<div className="relative rounded-lg transition-all duration-500 ease-in-out">
<div className="relative">
{/* Icon on the left */}
<div className="absolute left-3 top-1/2 z-50 -translate-y-1/2">
<Search
className={cn(
`
h-4 w-4 transition-all duration-500 ease-in-out`,
isSearching && hasValue ? 'text-blue-400' : 'text-gray-400',
)}
/>
</div>
{/* Input field */}
<input
type="text"
value={value}
onChange={onChange}
placeholder={placeholder}
className={`
peer relative z-20 w-full rounded-lg bg-surface-secondary px-10
py-2 outline-none ring-0 backdrop-blur-sm transition-all
duration-500 ease-in-out placeholder:text-gray-400
focus:outline-none focus:ring-0
`}
/>
{/* Gradient overlay */}
<div
className={`
pointer-events-none absolute inset-0 z-20 rounded-lg
bg-gradient-to-r from-blue-500/20 via-purple-500/20 to-blue-500/20
transition-all duration-500 ease-in-out
${isSearching && hasValue ? 'opacity-100 blur-sm' : 'opacity-0 blur-none'}
`}
/>
{/* Animated loading indicator */}
<div
className={`
absolute right-3 top-1/2 z-20 -translate-y-1/2
transition-all duration-500 ease-in-out
${isSearching && hasValue ? 'scale-100 opacity-100' : 'scale-0 opacity-0'}
`}
>
<div className="relative h-2 w-2">
<div className="absolute inset-0 animate-ping rounded-full bg-blue-500/60" />
<div className="absolute inset-0 rounded-full bg-blue-500" />
</div>
</div>
</div>
</div>
{/* Outer glow effect */}
<div
className={`
absolute -inset-8 -z-10
transition-all duration-700 ease-in-out
${isSearching && hasValue ? 'scale-105 opacity-100' : 'scale-100 opacity-0'}
`}
>
<div className="absolute inset-0">
<div
className={`
bg-gradient-radial absolute inset-0 from-blue-500/10 to-transparent
transition-opacity duration-700 ease-in-out
${isSearching && hasValue ? 'animate-pulse-slow opacity-100' : 'opacity-0'}
`}
/>
<div
className={`
absolute inset-0 bg-gradient-to-r from-purple-500/5 via-blue-500/5 to-purple-500/5
blur-xl transition-all duration-700 ease-in-out
${isSearching && hasValue ? 'animate-gradient-x opacity-100' : 'opacity-0'}
`}
/>
</div>
</div>
<div
className={`
absolute inset-0 -z-20 scale-100 bg-gradient-to-r from-blue-500/10
via-purple-500/10 to-blue-500/10 opacity-0 blur-xl
transition-all duration-500 ease-in-out
peer-focus:scale-105 peer-focus:opacity-100
`}
/>
</div>
);
};
export default AnimatedSearchInput;

View file

@ -1,26 +0,0 @@
import * as React from 'react';
import * as SliderPrimitive from '@radix-ui/react-slider';
import { cn } from '~/utils';
const Slider = React.forwardRef<
React.ElementRef<typeof SliderPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof SliderPrimitive.Root> & { onDoubleClick?: () => void }
>(({ className, onDoubleClick, ...props }, ref) => (
<SliderPrimitive.Root
ref={ref}
className={cn(
'relative flex w-full cursor-pointer touch-none select-none items-center',
className,
)}
onDoubleClick={onDoubleClick}
{...props}
>
<SliderPrimitive.Track className="relative h-2 w-full grow overflow-hidden rounded-full bg-secondary">
<SliderPrimitive.Range className="absolute h-full bg-primary" />
</SliderPrimitive.Track>
<SliderPrimitive.Thumb className="block h-5 w-5 rounded-full border-2 border-primary bg-background ring-offset-background transition-colors focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:pointer-events-none disabled:opacity-50" />
</SliderPrimitive.Root>
));
Slider.displayName = SliderPrimitive.Root.displayName;
export { Slider };

View file

@ -14,24 +14,19 @@ export * from './Prompts';
export * from './Roles';
export * from './SSE';
export * from './AuthContext';
export * from './ThemeContext';
export * from './ScreenshotContext';
export * from './ApiErrorBoundaryContext';
export * from './Endpoint';
export type { TranslationKeys } from './useLocalize';
export { default as useToast } from './useToast';
export { default as useTimeout } from './useTimeout';
export { default as useNewConvo } from './useNewConvo';
export { default as useLocalize } from './useLocalize';
export { default as useMediaQuery } from './useMediaQuery';
export { default as useChatBadges } from './useChatBadges';
export { default as useScrollToRef } from './useScrollToRef';
export { default as useLocalStorage } from './useLocalStorage';
export { default as useDocumentTitle } from './useDocumentTitle';
export { default as useDelayedRender } from './useDelayedRender';
export { default as useOnClickOutside } from './useOnClickOutside';
export { default as useSpeechToText } from './Input/useSpeechToText';
export { default as useTextToSpeech } from './Input/useTextToSpeech';
export { default as useGenerationsByLatest } from './useGenerationsByLatest';

View file

@ -1,5 +1,3 @@
// Translation.spec.ts
import i18n from './i18n';
import English from './en/translation.json';
import French from './fr/translation.json';

View file

@ -35,5 +35,5 @@
"test/setupTests.js",
"env.d.ts",
"../config/translations/**/*.ts"
]
, "../packages/client/src/hooks/useDelayedRender.tsx" ]
}

View file

@ -0,0 +1,44 @@
{
"name": "@librechat/client",
"version": "0.1.0",
"type": "module",
"exports": {
".": {
"types": "./dist/index.d.ts",
"module": "./dist/index.js"
}
},
"types": "./dist/index.d.ts",
"files": [
"dist"
],
"scripts": {
"build": "rollup -c rollup.config.mjs",
"dev": "rollup -c rollup.config.mjs -w",
"clean": "rm -rf dist"
},
"peerDependencies": {
"@radix-ui/react-separator": "^1.0.0",
"@radix-ui/react-slot": "^1.0.0",
"class-variance-authority": "^0.7.1",
"clsx": "^2.0.0",
"framer-motion": "^10.0.0",
"lucide-react": "^0.263.0",
"react": "^18.0.0",
"react-dom": "^18.0.0",
"tailwind-merge": "^1.14.0"
},
"devDependencies": {
"@rollup/plugin-node-resolve": "^15.0.0",
"@rollup/plugin-typescript": "^11.0.0",
"@types/react": "^18.0.0",
"@types/react-dom": "^18.0.0",
"rollup": "^4.0.0",
"typescript": "^5.0.0"
},
"dependencies": {
"@ariakit/react": "^0.4.17",
"@headlessui/react": "^2.2.4",
"react-resizable-panels": "^3.0.3"
}
}

View file

@ -0,0 +1,40 @@
// ESM bundler config for React components
import resolve from '@rollup/plugin-node-resolve';
import typescript from '@rollup/plugin-typescript';
import alias from '@rollup/plugin-alias';
import { fileURLToPath } from 'url';
import { dirname, resolve as pathResolve } from 'path';
const __filename = fileURLToPath(import.meta.url);
const __dirname = dirname(__filename);
export default {
input: 'src/index.ts',
output: {
dir: 'dist',
format: 'es',
preserveModules: true,
},
external: [
'react',
'react-dom',
'react/jsx-runtime',
'@radix-ui/react-separator',
'@radix-ui/react-slot',
'class-variance-authority',
'clsx',
'framer-motion',
'lucide-react',
'tailwind-merge',
],
plugins: [
alias({
entries: [{ find: '~', replacement: pathResolve(__dirname, 'src') }],
}),
resolve(),
typescript({
tsconfig: './tsconfig.json',
jsx: 'react-jsx',
}),
],
};

View file

@ -1,7 +1,6 @@
import * as React from 'react';
import * as AccordionPrimitive from '@radix-ui/react-accordion';
import { ChevronDownIcon } from '@radix-ui/react-icons';
import { cn } from '~/utils';
const Accordion = AccordionPrimitive.Root;
@ -28,7 +27,7 @@ const AccordionTrigger = React.forwardRef<
{...props}
>
{children}
<ChevronDownIcon className="text-muted-foreground h-4 w-4 shrink-0 transition-transform duration-200" />
<ChevronDownIcon className="h-4 w-4 shrink-0 text-muted-foreground transition-transform duration-200" />
</AccordionPrimitive.Trigger>
</AccordionPrimitive.Header>
));

View file

@ -1,7 +1,6 @@
import * as React from 'react';
import * as AlertDialogPrimitive from '@radix-ui/react-alert-dialog';
import { cn } from '../../utils';
import { cn } from '~/utils';
const AlertDialog = AlertDialogPrimitive.Root;

View file

@ -0,0 +1,79 @@
import React from 'react';
import { Search } from 'lucide-react';
import { cn } from '~/utils';
const AnimatedSearchInput = ({
value,
onChange,
isSearching: searching,
placeholder,
}: {
value?: string;
onChange: (e: React.ChangeEvent<HTMLInputElement>) => void;
isSearching?: boolean;
placeholder: string;
}) => {
const isSearching = searching === true;
const hasValue = value != null && value.length > 0;
return (
<div className="relative w-full">
<div className="relative rounded-lg transition-all duration-500 ease-in-out">
<div className="relative">
{/* Icon on the left */}
<div className="absolute left-3 top-1/2 z-50 -translate-y-1/2">
<Search
className={cn(
`h-4 w-4 transition-all duration-500 ease-in-out`,
isSearching && hasValue ? 'text-blue-400' : 'text-gray-400',
)}
/>
</div>
{/* Input field */}
<input
type="text"
value={value}
onChange={onChange}
placeholder={placeholder}
className={`peer relative z-20 w-full rounded-lg bg-surface-secondary px-10 py-2 outline-none ring-0 backdrop-blur-sm transition-all duration-500 ease-in-out placeholder:text-gray-400 focus:outline-none focus:ring-0`}
/>
{/* Gradient overlay */}
<div
className={`pointer-events-none absolute inset-0 z-20 rounded-lg bg-gradient-to-r from-blue-500/20 via-purple-500/20 to-blue-500/20 transition-all duration-500 ease-in-out ${isSearching && hasValue ? 'opacity-100 blur-sm' : 'opacity-0 blur-none'} `}
/>
{/* Animated loading indicator */}
<div
className={`absolute right-3 top-1/2 z-20 -translate-y-1/2 transition-all duration-500 ease-in-out ${isSearching && hasValue ? 'scale-100 opacity-100' : 'scale-0 opacity-0'} `}
>
<div className="relative h-2 w-2">
<div className="absolute inset-0 animate-ping rounded-full bg-blue-500/60" />
<div className="absolute inset-0 rounded-full bg-blue-500" />
</div>
</div>
</div>
</div>
{/* Outer glow effect */}
<div
className={`absolute -inset-8 -z-10 transition-all duration-700 ease-in-out ${isSearching && hasValue ? 'scale-105 opacity-100' : 'scale-100 opacity-0'} `}
>
<div className="absolute inset-0">
<div
className={`bg-gradient-radial absolute inset-0 from-blue-500/10 to-transparent transition-opacity duration-700 ease-in-out ${isSearching && hasValue ? 'animate-pulse-slow opacity-100' : 'opacity-0'} `}
/>
<div
className={`absolute inset-0 bg-gradient-to-r from-purple-500/5 via-blue-500/5 to-purple-500/5 blur-xl transition-all duration-700 ease-in-out ${isSearching && hasValue ? 'animate-gradient-x opacity-100' : 'opacity-0'} `}
/>
</div>
</div>
<div
className={`absolute inset-0 -z-20 scale-100 bg-gradient-to-r from-blue-500/10 via-purple-500/10 to-blue-500/10 opacity-0 blur-xl transition-all duration-500 ease-in-out peer-focus:scale-105 peer-focus:opacity-100`}
/>
</div>
);
};
export default AnimatedSearchInput;

View file

@ -26,7 +26,7 @@
position: relative;
}
.animated-tab[data-state="active"] {
.animated-tab[data-state='active'] {
border-bottom-color: transparent !important;
}

View file

@ -1,5 +1,4 @@
import type React from 'react';
import { X, Plus } from 'lucide-react';
import { motion } from 'framer-motion';
import type { ButtonHTMLAttributes } from 'react';

View file

@ -1,7 +1,6 @@
import * as React from 'react';
import { Slot } from '@radix-ui/react-slot';
import { ChevronRight, MoreHorizontal } from 'lucide-react';
import { cn } from '~/utils';
const Breadcrumb = React.forwardRef<
@ -17,7 +16,7 @@ const BreadcrumbList = React.forwardRef<HTMLOListElement, React.ComponentPropsWi
<ol
ref={ref}
className={cn(
'text-muted-foreground flex flex-wrap items-center gap-1.5 break-words text-sm sm:gap-2.5',
'flex flex-wrap items-center gap-1.5 break-words text-sm text-muted-foreground sm:gap-2.5',
className,
)}
{...props}
@ -44,7 +43,7 @@ const BreadcrumbLink = React.forwardRef<
return (
<Comp
ref={ref}
className={cn('hover:text-foreground transition-colors', className)}
className={cn('transition-colors hover:text-foreground', className)}
{...props}
/>
);
@ -58,7 +57,7 @@ const BreadcrumbPage = React.forwardRef<HTMLSpanElement, React.ComponentPropsWit
role="link"
aria-disabled="true"
aria-current="page"
className={cn('text-foreground font-normal', className)}
className={cn('font-normal text-foreground', className)}
{...props}
/>
),

View file

@ -1,7 +1,7 @@
import * as React from 'react';
import * as CheckboxPrimitive from '@radix-ui/react-checkbox';
import { Check } from 'lucide-react';
import { cn } from '../../utils';
import * as CheckboxPrimitive from '@radix-ui/react-checkbox';
import { cn } from '~/utils';
const Checkbox = React.forwardRef<
React.ElementRef<typeof CheckboxPrimitive.Root>,

View file

@ -1,7 +1,7 @@
import * as React from 'react';
import { useEffect } from 'react';
import { Checkbox, useStoreState, useCheckboxStore } from '@ariakit/react';
import { cn } from '~/utils';
import * as React from 'react';
const CheckboxButton = React.forwardRef<
HTMLInputElement,

View file

@ -11,7 +11,7 @@ import {
} from '@ariakit/react';
import type { OptionWithIcon } from '~/common';
import { SelectTrigger, SelectValue, SelectScrollDownButton } from './Select';
import useCombobox from '~/hooks/Input/useCombobox';
import { useCombobox } from '~/hooks';
import { cn } from '~/utils';
export default function ComboboxComponent({
@ -81,7 +81,7 @@ export default function ComboboxComponent({
isCollapsed
? 'flex h-9 w-9 shrink-0 items-center justify-center p-0 [&>span]:w-auto [&>svg]:hidden'
: '',
'bg-white text-black hover:bg-gray-50 focus-visible:ring-2 focus-visible:ring-gray-500 dark:bg-gray-850 dark:text-white ',
'bg-white text-black hover:bg-gray-50 focus-visible:ring-2 focus-visible:ring-gray-500 dark:bg-gray-850 dark:text-white',
)}
>
<SelectValue placeholder={selectPlaceholder}>
@ -93,7 +93,7 @@ export default function ComboboxComponent({
style={{ userSelect: 'none' }}
>
{selectedValue
? displayValue ?? selectedValue
? (displayValue ?? selectedValue)
: selectPlaceholder && selectPlaceholder}
</span>
</SelectValue>
@ -140,7 +140,7 @@ export default function ComboboxComponent({
<RadixSelect.Item key={value} value={`${value ?? ''}`} asChild>
<ComboboxItem
className={cn(
'focus:bg-accent focus:text-accent-foreground relative flex w-full cursor-pointer select-none items-center rounded-sm py-1.5 pl-2 pr-8 text-sm outline-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50',
'relative flex w-full cursor-pointer select-none items-center rounded-sm py-1.5 pl-2 pr-8 text-sm outline-none focus:bg-accent focus:text-accent-foreground data-[disabled]:pointer-events-none data-[disabled]:opacity-50',
'rounded-lg hover:bg-gray-100/50 hover:bg-gray-50 dark:text-white dark:hover:bg-gray-600',
)}
/** Hacky fix for radix-ui Android issue: https://github.com/radix-ui/primitives/issues/1658 */
@ -155,8 +155,8 @@ export default function ComboboxComponent({
</RadixSelect.ItemIndicator>
</span>
<RadixSelect.ItemText>
<div className="[&_svg]:text-foreground flex items-center justify-center gap-3 dark:text-white [&_svg]:h-4 [&_svg]:w-4 [&_svg]:shrink-0">
<div className="assistant-item overflow-hidden rounded-full ">
<div className="flex items-center justify-center gap-3 dark:text-white [&_svg]:h-4 [&_svg]:w-4 [&_svg]:shrink-0 [&_svg]:text-foreground">
<div className="assistant-item overflow-hidden rounded-full">
{icon && icon}
</div>
{label}

View file

@ -1,5 +1,4 @@
import React, { useCallback, useEffect, useRef, useState, memo, useMemo } from 'react';
import { useRecoilValue } from 'recoil';
import { useVirtualizer } from '@tanstack/react-virtual';
import {
Row,
@ -26,11 +25,10 @@ import {
AnimatedSearchInput,
Skeleton,
} from './';
import { TrashIcon, Spinner } from '~/components/svg';
import { useLocalize, useMediaQuery } from '~/hooks';
import { TrashIcon, Spinner } from '~/svg';
import { LocalizeFunction } from '~/common';
import { useMediaQuery } from '~/hooks';
import { cn } from '~/utils';
import store from '~/store';
type TableColumn<TData, TValue> = ColumnDef<TData, TValue> & {
meta?: {
@ -81,6 +79,7 @@ interface DataTableProps<TData, TValue> {
onFilterChange?: (value: string) => void;
filterValue?: string;
isLoading?: boolean;
enableSearch?: boolean;
}
const TableRowComponent = <TData, TValue>({
@ -165,13 +164,11 @@ const DeleteButton = memo(
isDeleting,
disabled,
isSmallScreen,
localize,
}: {
onDelete?: () => Promise<void>;
isDeleting: boolean;
disabled: boolean;
isSmallScreen: boolean;
localize: LocalizeFunction;
}) => {
if (!onDelete) {
return null;
@ -188,7 +185,7 @@ const DeleteButton = memo(
) : (
<>
<TrashIcon className="size-3.5 text-red-400 sm:size-4" />
{!isSmallScreen && <span className="ml-2">{localize('com_ui_delete')}</span>}
{!isSmallScreen && <span className="ml-2">Delete</span>}
</>
)}
</Button>
@ -211,12 +208,11 @@ export default function DataTable<TData, TValue>({
onFilterChange,
filterValue,
isLoading,
enableSearch = true,
}: DataTableProps<TData, TValue>) {
const localize = useLocalize();
const isSmallScreen = useMediaQuery('(max-width: 768px)');
const tableContainerRef = useRef<HTMLDivElement>(null);
const search = useRecoilValue(store.search);
const [isDeleting, setIsDeleting] = useState(false);
const [rowSelection, setRowSelection] = useState<Record<string, boolean>>({});
const [sorting, setSorting] = useState<SortingState>(defaultSort);
@ -371,16 +367,15 @@ export default function DataTable<TData, TValue>({
isDeleting={isDeleting}
disabled={!table.getFilteredSelectedRowModel().rows.length || isDeleting}
isSmallScreen={isSmallScreen}
localize={localize}
/>
)}
{filterColumn !== undefined && table.getColumn(filterColumn) && search.enabled && (
{filterColumn !== undefined && table.getColumn(filterColumn) && enableSearch && (
<div className="relative flex-1">
<AnimatedSearchInput
value={searchTerm}
onChange={(e) => setSearchTerm(e.target.value)}
isSearching={isSearching}
placeholder={`${localize('com_ui_search')}...`}
placeholder="Search..."
/>
</div>
)}
@ -448,7 +443,7 @@ export default function DataTable<TData, TValue>({
{!virtualRows.length && (
<TableRow className="hover:bg-transparent">
<TableCell colSpan={columns.length} className="p-4 text-center">
{localize('com_ui_no_data')}
No data available
</TableCell>
</TableRow>
)}

View file

@ -1,8 +1,5 @@
import { ArrowDownIcon, ArrowUpIcon, CaretSortIcon, EyeNoneIcon } from '@radix-ui/react-icons';
import { Column } from '@tanstack/react-table';
import { cn } from '~/utils';
import { Button } from './Button';
import { ArrowDownIcon, ArrowUpIcon, CaretSortIcon, EyeNoneIcon } from '@radix-ui/react-icons';
import {
DropdownMenu,
DropdownMenuContent,
@ -10,6 +7,8 @@ import {
DropdownMenuSeparator,
DropdownMenuTrigger,
} from './DropdownMenu';
import { Button } from './Button';
import { cn } from '~/utils';
interface DataTableColumnHeaderProps<TData, TValue> extends React.HTMLAttributes<HTMLDivElement> {
column: Column<TData, TValue>;
@ -29,7 +28,7 @@ export function DataTableColumnHeader<TData, TValue>({
<div className={cn('flex items-center space-x-2', className)}>
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="ghost" size="sm" className="data-[state=open]:bg-accent -ml-3 h-8">
<Button variant="ghost" size="sm" className="-ml-3 h-8 data-[state=open]:bg-accent">
<span>{title}</span>
{column.getIsSorted() === 'desc' ? (
<ArrowDownIcon className="ml-2 h-4 w-4" />
@ -42,16 +41,16 @@ export function DataTableColumnHeader<TData, TValue>({
</DropdownMenuTrigger>
<DropdownMenuContent align="start" className="z-[1001]">
<DropdownMenuItem onClick={() => column.toggleSorting(false)}>
<ArrowUpIcon className="text-muted-foreground/70 mr-2 h-3.5 w-3.5" />
<ArrowUpIcon className="mr-2 h-3.5 w-3.5 text-muted-foreground/70" />
Asc
</DropdownMenuItem>
<DropdownMenuItem onClick={() => column.toggleSorting(true)}>
<ArrowDownIcon className="text-muted-foreground/70 mr-2 h-3.5 w-3.5" />
<ArrowDownIcon className="mr-2 h-3.5 w-3.5 text-muted-foreground/70" />
Desc
</DropdownMenuItem>
<DropdownMenuSeparator />
<DropdownMenuItem onClick={() => column.toggleVisibility(false)}>
<EyeNoneIcon className="text-muted-foreground/70 mr-2 h-3.5 w-3.5" />
<EyeNoneIcon className="mr-2 h-3.5 w-3.5 text-muted-foreground/70" />
Hide
</DropdownMenuItem>
</DropdownMenuContent>

View file

@ -1,9 +1,9 @@
import * as React from 'react';
import * as DialogPrimitive from '@radix-ui/react-dialog';
import { Button } from '../ui/Button';
import { useMediaQuery } from '~/hooks';
import { Button } from './Button';
import { X } from 'lucide-react';
import { cn } from '~/utils';
import { useMediaQuery } from '~/hooks';
const Dialog = DialogPrimitive.Root;

View file

@ -8,7 +8,6 @@ import {
DialogTitle,
} from './';
import { cn } from '~/utils/';
import { useLocalize } from '~/hooks';
type SelectionProps = {
selectHandler?: () => void;
@ -31,7 +30,6 @@ type DialogTemplateProps = {
};
const DialogTemplate = forwardRef((props: DialogTemplateProps, ref: Ref<HTMLDivElement>) => {
const localize = useLocalize();
const {
title,
description,
@ -46,7 +44,7 @@ const DialogTemplate = forwardRef((props: DialogTemplateProps, ref: Ref<HTMLDivE
showCancelButton = true,
} = props;
const { selectHandler, selectClasses, selectText } = selection || {};
const Cancel = localize('com_ui_cancel');
const Cancel = 'cancel';
const defaultSelect =
'bg-gray-800 text-white transition-colors hover:bg-gray-700 disabled:cursor-not-allowed disabled:opacity-50 dark:bg-gray-200 dark:text-gray-800 dark:hover:bg-gray-200';

View file

@ -39,7 +39,7 @@ const Dropdown: FC<DropdownProps> = ({
typeof option === 'string' ? option : option?.value;
const getDisplay = (option?: string | Option) =>
typeof option === 'string' ? option : option?.label ?? option?.value;
typeof option === 'string' ? option : (option?.label ?? option?.value);
const isEqual = (a: string | Option, b: string | Option): boolean => getValue(a) === getValue(b);

View file

@ -1,5 +1,6 @@
import React from 'react';
import { Label, Input } from '~/components/ui';
import { Label } from './Label';
import { Input } from './Input';
import { cn } from '~/utils';
export default function FormInput({

View file

@ -1,7 +1,6 @@
import * as React from 'react';
import * as HoverCardPrimitive from '@radix-ui/react-hover-card';
import { cn } from '../../utils';
import { cn } from '~/utils';
const HoverCard = HoverCardPrimitive.Root;

View file

@ -1,5 +1,4 @@
import * as React from 'react';
import { cn } from '~/utils';
export type InputProps = React.InputHTMLAttributes<HTMLInputElement>;

View file

@ -1,5 +1,5 @@
import * as React from 'react';
import { Input } from '~/components/ui/Input';
import { Input } from './Input';
import { cn } from '~/utils';
export type InputWithDropdownProps = React.InputHTMLAttributes<HTMLInputElement> & {
@ -92,7 +92,7 @@ const InputWithDropdown = React.forwardRef<HTMLInputElement, InputWithDropdownPr
/>
<button
type="button"
className="text-tertiary hover:text-secondary absolute inset-y-0 right-0 flex items-center rounded-md px-2 focus-visible:outline-none focus-visible:ring-1 focus-visible:ring-ring-primary"
className="text-tertiary absolute inset-y-0 right-0 flex items-center rounded-md px-2 hover:text-secondary focus-visible:outline-none focus-visible:ring-1 focus-visible:ring-ring-primary"
onClick={() => setIsOpen(!isOpen)}
aria-label={isOpen ? 'Close dropdown' : 'Open dropdown'}
>
@ -127,7 +127,7 @@ const InputWithDropdown = React.forwardRef<HTMLInputElement, InputWithDropdownPr
'cursor-pointer rounded-md px-3 py-2',
'focus:bg-surface-tertiary focus:outline-none focus:ring-1 focus:ring-inset focus:ring-ring-primary',
index === highlightedIndex
? 'text-primary bg-surface-active'
? 'bg-surface-active text-primary'
: 'text-secondary hover:bg-surface-tertiary',
)}
onClick={() => handleSelect(option)}

View file

@ -1,7 +1,6 @@
import * as React from 'react';
import * as LabelPrimitive from '@radix-ui/react-label';
import { cn } from '../../utils';
import { cn } from '~/utils';
const Label = React.forwardRef<
React.ElementRef<typeof LabelPrimitive.Root>,

View file

@ -53,7 +53,7 @@ export default function MultiSearch({
<button
className={cn(
'relative flex h-5 w-5 items-center justify-end rounded-md text-text-secondary-alt',
value?.length ?? 0 ? 'cursor-pointer opacity-100' : 'hidden',
(value?.length ?? 0) ? 'cursor-pointer opacity-100' : 'hidden',
)}
aria-label={'Clear search'}
onClick={clearSearch}
@ -63,7 +63,7 @@ export default function MultiSearch({
aria-hidden={'true'}
className={cn(
'text-text-secondary-alt',
value?.length ?? 0 ? 'cursor-pointer opacity-100' : 'opacity-0',
(value?.length ?? 0) ? 'cursor-pointer opacity-100' : 'opacity-0',
)}
/>
</button>

View file

@ -1,4 +1,5 @@
import React, { useState, useRef } from 'react';
import { Wrench, ArrowRight } from 'lucide-react';
import {
Listbox,
ListboxButton,
@ -7,12 +8,11 @@ import {
ListboxOption,
Transition,
} from '@headlessui/react';
import { Wrench, ArrowRight } from 'lucide-react';
import { CheckMark } from '~/components/svg';
import useOnClickOutside from '~/hooks/useOnClickOutside';
import { useMultiSearch } from './MultiSearch';
import { cn } from '~/utils/';
import type { TPlugin } from 'librechat-data-provider';
import { useMultiSearch } from './MultiSearch';
import { useOnClickOutside } from '~/hooks';
import { CheckMark } from '~/svgs';
import { cn } from '~/utils/';
export type TMultiSelectDropDownProps = {
title?: string;

View file

@ -32,8 +32,6 @@ function MultiSelectPop({
optionValueKey = 'value',
searchPlaceholder,
}: SelectDropDownProps) {
// const localize = useLocalize();
const title = _title;
const excludeIds = ['select-plugin', 'plugins-label', 'selected-plugins'];

View file

@ -9,7 +9,7 @@ import {
} from './OriginalDialog';
import { useLocalize } from '~/hooks';
import { Button } from './Button';
import { Spinner } from '../svg';
import { Spinner } from '~/svgs';
import { cn } from '~/utils/';
type SelectionProps = {

View file

@ -1,4 +1,5 @@
import { cn } from '~/utils';
export const QuestionMark = ({ className = '' }) => {
return (
<span>

View file

@ -8,10 +8,10 @@ import {
ListboxOptions,
} from '@headlessui/react';
import type { Option, OptionWithIcon, DropdownValueSetter } from '~/common';
import CheckMark from '~/components/svg/CheckMark';
import { useMultiSearch } from './MultiSearch';
import { useLocalize } from '~/hooks';
import { cn } from '~/utils/';
import { CheckMark } from '~/svgs';
import { cn } from '~/utils';
type SelectDropDownProps = {
id?: string;

View file

@ -0,0 +1,26 @@
import * as React from 'react';
import * as SliderPrimitive from '@radix-ui/react-slider';
import { cn } from '~/utils';
const Slider = React.forwardRef<
React.ElementRef<typeof SliderPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof SliderPrimitive.Root> & { onDoubleClick?: () => void }
>(({ className, onDoubleClick, ...props }, ref) => (
<SliderPrimitive.Root
ref={ref}
className={cn(
'relative flex w-full cursor-pointer touch-none select-none items-center',
className,
)}
onDoubleClick={onDoubleClick}
{...props}
>
<SliderPrimitive.Track className="relative h-2 w-full grow overflow-hidden rounded-full bg-secondary">
<SliderPrimitive.Range className="absolute h-full bg-primary" />
</SliderPrimitive.Track>
<SliderPrimitive.Thumb className="block h-5 w-5 rounded-full border-2 border-primary bg-background ring-offset-background transition-colors focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:pointer-events-none disabled:opacity-50" />
</SliderPrimitive.Root>
));
Slider.displayName = SliderPrimitive.Root.displayName;
export { Slider };

View file

@ -4,7 +4,7 @@ import MarkdownLite from '~/components/Chat/Messages/Content/MarkdownLite';
import DialogTemplate from '~/components/ui/DialogTemplate';
import { useAcceptTermsMutation } from '~/data-provider';
import { useToastContext } from '~/Providers';
import { OGDialog } from '~/components/ui';
import { OGDialog } from './OriginalDialog';
import { useLocalize } from '~/hooks';
const TermsAndConditionsModal = ({

View file

@ -1,8 +1,7 @@
/* eslint-disable */
import * as React from 'react';
import TextareaAutosize from 'react-textarea-autosize';
import { cn } from '../../utils';
import { cn } from '~/utils';
export interface TextareaProps extends React.TextareaHTMLAttributes<HTMLTextAreaElement> {}

View file

@ -42,6 +42,6 @@ export { default as MultiSelectPop } from './MultiSelectPop';
export { default as ModelParameters } from './ModelParameters';
export { default as OGDialogTemplate } from './OGDialogTemplate';
export { default as InputWithDropdown } from './InputWithDropDown';
export { default as SelectDropDownPop } from './SelectDropDownPop';
export { default as SelectDropDownPop } from '../../../../client/src/components/Input/ModelSelect/SelectDropDownPop';
export { default as AnimatedSearchInput } from './AnimatedSearchInput';
export { default as MultiSelectDropDown } from './MultiSelectDropDown';

View file

@ -0,0 +1,10 @@
export * from './ThemeContext';
export type { TranslationKeys } from './useLocalize';
export { default as useToast } from './useToast';
export { default as useCombobox } from './useCombobox';
export { default as useLocalize } from './useLocalize';
export { default as useMediaQuery } from './useMediaQuery';
export { default as useDelayedRender } from './useDelayedRender';
export { default as useOnClickOutside } from './useOnClickOutside';

View file

@ -0,0 +1,21 @@
import { useEffect } from 'react';
import { TOptions } from 'i18next';
import { useRecoilValue } from 'recoil';
import { useTranslation } from 'react-i18next';
import { resources } from '~/locales/i18n';
import store from '~/store';
export type TranslationKeys = keyof typeof resources.en.translation;
export default function useLocalize() {
const lang = useRecoilValue(store.lang);
const { t, i18n } = useTranslation();
useEffect(() => {
if (i18n.language !== lang) {
i18n.changeLanguage(lang);
}
}, [lang, i18n]);
return (phraseKey: TranslationKeys, options?: TOptions) => t(phraseKey, options);
}

View file

View file

@ -0,0 +1,47 @@
import i18n from './i18n';
import English from './en/translation.json';
import French from './fr/translation.json';
import Spanish from './es/translation.json';
describe('i18next translation tests', () => {
// Ensure i18next is initialized before any tests run
beforeAll(async () => {
if (!i18n.isInitialized) {
await i18n.init();
}
});
it('should return the correct translation for a valid key in English', () => {
i18n.changeLanguage('en');
expect(i18n.t('com_ui_examples')).toBe(English.com_ui_examples);
});
it('should return the correct translation for a valid key in French', () => {
i18n.changeLanguage('fr');
expect(i18n.t('com_ui_examples')).toBe(French.com_ui_examples);
});
it('should return the correct translation for a valid key in Spanish', () => {
i18n.changeLanguage('es');
expect(i18n.t('com_ui_examples')).toBe(Spanish.com_ui_examples);
});
it('should fallback to English for an invalid language code', () => {
// When an invalid language is provided, i18next should fallback to English
i18n.changeLanguage('invalid-code');
expect(i18n.t('com_ui_examples')).toBe(English.com_ui_examples);
});
it('should return the key itself for an invalid key', () => {
i18n.changeLanguage('en');
expect(i18n.t('invalid-key')).toBe('invalid-key'); // Returns the key itself
});
it('should correctly format placeholders in the translation', () => {
i18n.changeLanguage('en');
expect(i18n.t('com_endpoint_default_with_num', { 0: 'John' })).toBe('default: John');
i18n.changeLanguage('fr');
expect(i18n.t('com_endpoint_default_with_num', { 0: 'Marie' })).toBe('par défaut : Marie');
});
});

View file

@ -0,0 +1,700 @@
{
"com_a11y_ai_composing": "الذكاء الاصطناعي ما زال يكتب",
"com_a11y_end": "انتهى الذكاء الاصطناعي من الرد",
"com_a11y_start": "بدأ الذكاء الاصطناعي بالرد",
"com_agents_allow_editing": "السماح للمستخدمين الآخرين بتعديل الوكيل الخاص بك",
"com_agents_by_librechat": "بواسطة LibreChat",
"com_agents_code_interpreter": "عند التمكين، يسمح للوكيل الخاص بك باستخدام واجهة برمجة التطبيقات لمفسر الشفرة LibreChat لتشغيل الشفرة المُنشأة، بما في ذلك معالجة الملفات، بشكل آمن. يتطلب مفتاح API صالح.",
"com_agents_code_interpreter_title": "واجهة برمجة مُفسِّر الشفرة",
"com_agents_create_error": "حدث خطأ أثناء إنشاء الوكيل الخاص بك",
"com_agents_description_placeholder": "اختياري: اشرح عميلك هنا",
"com_agents_enable_file_search": "تمكين البحث عن الملفات",
"com_agents_file_search_disabled": "يجب إنشاء الوكيل قبل تحميل الملفات للبحث في الملفات.",
"com_agents_file_search_info": "عند التمكين، سيتم إعلام الوكيل بأسماء الملفات المدرجة أدناه بالضبط، مما يتيح له استرجاع السياق ذي الصلة من هذه الملفات.",
"com_agents_instructions_placeholder": "التعليمات النظامية التي يستخدمها الوكيل",
"com_agents_missing_provider_model": "يرجى تحديد المزود والنموذج قبل إنشاء الوكيل",
"com_agents_name_placeholder": "اختياري: اسم العميل",
"com_agents_no_access": "ليس لديك صلاحية تعديل هذا الوكيل.",
"com_agents_not_available": "المساعد غير متوفر",
"com_agents_search_name": "البحث عن الوكلاء بالاسم",
"com_agents_update_error": "حدث خطأ أثناء تحديث الوكيل الخاص بك.",
"com_assistants_actions": "إجراءات",
"com_assistants_actions_disabled": "يجب عليك إنشاء مساعد قبل إضافة إجراءات.",
"com_assistants_actions_info": "اسمح لمساعدك باسترداد المعلومات أو اتخاذ إجراءات عبر واجهات برمجة التطبيقات",
"com_assistants_add_actions": "إضافة إجراءات",
"com_assistants_add_tools": "إضافة أدوات",
"com_assistants_append_date": "إضافة التاريخ والوقت الحالي",
"com_assistants_append_date_tooltip": "عند التفعيل، سيتم إضافة التاريخ والوقت الحالي للعميل إلى تعليمات نظام المساعد.",
"com_assistants_available_actions": "الإجراءات المتاحة",
"com_assistants_capabilities": "قدرات",
"com_assistants_code_interpreter": "مُفسِّر الشفرة",
"com_assistants_code_interpreter_files": "الملفات التالية متاحة فقط لمفسر الشفرة:",
"com_assistants_code_interpreter_info": "يُمكّن مُفسِّر الشفرة المساعد من كتابة وتشغيل الشفرة البرمجية. يمكن لهذه الأداة معالجة الملفات ذات البيانات والتنسيقات المتنوعة، وإنشاء ملفات مثل الرسوم البيانية",
"com_assistants_completed_action": "تحدث إلى {{0}}",
"com_assistants_completed_function": "تم تشغيل {{0}}",
"com_assistants_conversation_starters": "بدء المحادثات",
"com_assistants_conversation_starters_placeholder": "أدخل بداية المحادثة",
"com_assistants_create_error": "حدث خطأ أثناء إنشاء المساعد الخاص بك.",
"com_assistants_create_success": "تم إنشاؤه بنجاح",
"com_assistants_delete_actions_error": "حدث خطأ أثناء حذف الإجراء.",
"com_assistants_delete_actions_success": "تم حذف الإجراء من المساعد بنجاح",
"com_assistants_description_placeholder": "اختياري: اشرح مساعدك هنا",
"com_assistants_domain_info": "أرسل المساعد هذه المعلومات إلى {{0}}",
"com_assistants_file_search": "بحث الملفات",
"com_assistants_file_search_info": "لا يتم دعم إرفاق مخازن الكتل الرقمية لميزة البحث في الملفات بعد. يمكنك إرفاقها من ملعب المزود أو إرفاق ملفات إلى الرسائل للبحث في الملفات على أساس المحادثة.",
"com_assistants_function_use": "المساعد استخدم {{0}}",
"com_assistants_image_vision": "رؤية الصورة",
"com_assistants_instructions_placeholder": "التعليمات النظامية التي يستخدمها المساعد",
"com_assistants_knowledge": "المعرفة",
"com_assistants_knowledge_disabled": "يجب إنشاء المساعد وتمكين المفسر البرمجي أو الاسترجاع وحفظهما قبل تحميل الملفات كمعرفة.",
"com_assistants_knowledge_info": "إذا قمت بتحميل ملفات تحت معلومات، فقد تتضمن المحادثات مع المساعد الخاص بك محتويات الملف.",
"com_assistants_max_starters_reached": "تم الوصول إلى الحد الأقصى لبادئات المحادثة",
"com_assistants_name_placeholder": "اختياري: اسم المساعد",
"com_assistants_non_retrieval_model": "البحث في الملفات غير مُمكّن على هذا النموذج. يرجى تحديد نموذج آخر.",
"com_assistants_retrieval": "استرداد",
"com_assistants_running_action": "جارٍ تنفيذ الإجراء",
"com_assistants_search_name": "البحث عن المساعدين بالاسم",
"com_assistants_update_actions_error": "حدث خطأ أثناء إنشاء أو تحديث الإجراء.",
"com_assistants_update_actions_success": "تم إنشاء أو تحديث الإجراء بنجاح",
"com_assistants_update_error": "حدث خطأ أثناء تحديث المساعد الافتراضي الخاص بك.",
"com_assistants_update_success": "تم التحديث بنجاح",
"com_auth_already_have_account": "هل لديك حساب بالفعل؟",
"com_auth_back_to_login": "العودة إلى تسجيل الدخول",
"com_auth_click": "انقر",
"com_auth_click_here": "انقر هنا",
"com_auth_continue": "استمر",
"com_auth_create_account": "أنشئ حسابك",
"com_auth_discord_login": "تسجيل الدخول بواسطة Discord",
"com_auth_email": "البريد الإلكتروني",
"com_auth_email_address": "عنوان البريد الإلكتروني",
"com_auth_email_max_length": "يجب ألا يزيد البريد الإلكتروني عن 120 حرفًا",
"com_auth_email_min_length": "يجب أن يكون البريد الإلكتروني على الأقل 6 أحرف",
"com_auth_email_pattern": "يجب أن تدخل عنوان بريد إلكتروني صالح",
"com_auth_email_required": "البريد الإلكتروني مطلوب",
"com_auth_email_resend_link": "إعادة إرسال البريد الإلكتروني",
"com_auth_email_resent_failed": "فشل في إعادة إرسال البريد الإلكتروني للتحقق",
"com_auth_email_resent_success": "تم إعادة إرسال البريد الإلكتروني للتحقق بنجاح",
"com_auth_email_verification_failed": "فشل التحقق من البريد الإلكتروني",
"com_auth_email_verification_failed_token_missing": "فشل التحقق، الرمز مفقود",
"com_auth_email_verification_in_progress": "جارٍ التحقق من بريدك الإلكتروني، يرجى الانتظار",
"com_auth_email_verification_invalid": "التحقق من البريد الإلكتروني غير صالح",
"com_auth_email_verification_redirecting": "جارٍ إعادة التوجيه خلال {{0}} ثوانٍ...",
"com_auth_email_verification_resend_prompt": "لم يصلك البريد الإلكتروني؟",
"com_auth_email_verification_success": "تم التحقق من البريد الإلكتروني بنجاح",
"com_auth_error_create": "كان هناك خطأ في محاولة تسجيل حسابك. يرجى المحاولة مرة أخرى.",
"com_auth_error_invalid_reset_token": "رمز إعادة تعيين كلمة المرور هذا لم يعد صالحًا.",
"com_auth_error_login": "تعذر تسجيل الدخول باستخدام المعلومات المقدمة. يرجى التحقق من بيانات الاعتماد الخاصة بك والمحاولة مرة أخرى.",
"com_auth_error_login_ban": "تم حظر حسابك مؤقتًا بسبب انتهاكات لخدمتنا.",
"com_auth_error_login_rl": "محاولات تسجيل الدخول الكثيرة في فترة زمنية قصيرة. يرجى المحاولة مرة أخرى لاحقًا.",
"com_auth_error_login_server": "كان هناك خطأ في الخادم الداخلي. يرجى الانتظار بضع لحظات وحاول مرة أخرى.",
"com_auth_error_login_unverified": "لم يتم التحقق من حسابك بعد. يرجى التحقق من بريدك الإلكتروني للحصول على رابط التحقق.",
"com_auth_facebook_login": "تسجيل الدخول بواسطة Facebook",
"com_auth_full_name": "الاسم الكامل",
"com_auth_github_login": "تسجيل الدخول بواسطة Github",
"com_auth_google_login": "تسجيل الدخول بواسطة Google",
"com_auth_here": "هنا",
"com_auth_login": "تسجيل الدخول",
"com_auth_login_with_new_password": "يمكنك الآن تسجيل الدخول باستخدام كلمة المرور الجديدة الخاصة بك.",
"com_auth_name_max_length": "يجب أن يكون الاسم أقل من 80 حرفًا",
"com_auth_name_min_length": "يجب أن يكون الاسم على الأقل 3 أحرف",
"com_auth_name_required": "الاسم مطلوب",
"com_auth_no_account": "ليس لديك حساب؟",
"com_auth_password": "كلمة المرور",
"com_auth_password_confirm": "تأكيد كلمة المرور",
"com_auth_password_forgot": "نسيت كلمة المرور؟",
"com_auth_password_max_length": "يجب أن تكون كلمة المرور أقل من 128 حرفًا",
"com_auth_password_min_length": "يجب أن تكون كلمة المرور على الأقل 8 أحرف",
"com_auth_password_not_match": "كلمات المرور لا تتطابق",
"com_auth_password_required": "كلمة المرور مطلوبة",
"com_auth_registration_success_generic": "يرجى التحقق من بريدك الإلكتروني لتأكيد عنوان البريد الإلكتروني الخاص بك.",
"com_auth_registration_success_insecure": "تم التسجيل بنجاح.",
"com_auth_reset_password": "إعادة تعيين كلمة المرور",
"com_auth_reset_password_if_email_exists": "إذا كان هناك حساب مرتبط بهذا البريد الإلكتروني، فقد تم إرسال بريد إلكتروني يحتوي على تعليمات إعادة تعيين كلمة المرور. يرجى التحقق من مجلد البريد غير المرغوب فيه.",
"com_auth_reset_password_link_sent": "تم إرسال البريد الإلكتروني",
"com_auth_reset_password_success": "نجاح إعادة تعيين كلمة المرور",
"com_auth_sign_in": "تسجيل الدخول",
"com_auth_sign_up": "سجل الان",
"com_auth_submit_registration": "إرسال التسجيل",
"com_auth_to_reset_your_password": "لإعادة تعيين كلمة المرور الخاصة بك.",
"com_auth_to_try_again": "للمحاولة مرة أخرى.",
"com_auth_username": "اسم المستخدم (اختياري)",
"com_auth_username_max_length": "يجب أن يكون اسم المستخدم أقل من 20 حرفًا",
"com_auth_username_min_length": "يجب أن يكون اسم المستخدم على الأقل 2 أحرف",
"com_auth_welcome_back": "مرحبا بك مرة أخرى",
"com_click_to_download": "(انقر هنا للتنزيل)",
"com_download_expired": "انتهت صلاحية التنزيل",
"com_download_expires": "انقر هنا للتنزيل - تنتهي الصلاحية في {{0}}",
"com_endpoint": "نقطة النهاية",
"com_endpoint_agent": "الوكيل",
"com_endpoint_agent_model": "نموذج الوكيل (موصى به: GPT-3.5)",
"com_endpoint_agent_placeholder": "يرجى تحديد الوكيل",
"com_endpoint_ai": "الذكاء الاصطناعي",
"com_endpoint_anthropic_maxoutputtokens": "العدد الأقصى من الرموز التي يمكن إنشاؤها في الرد. حدد قيمة أقل للحصول على ردود أقصر وقيمة أعلى للحصول على ردود أطول.",
"com_endpoint_anthropic_prompt_cache": "يتيح تخزين الموجهات المؤقت إعادة استخدام السياق أو التعليمات الكبيرة عبر استدعاءات API، مما يقلل التكاليف ووقت الاستجابة",
"com_endpoint_anthropic_temp": "المدى من 0 إلى 1. استخدم درجة الحرارة الأقرب إلى 0 للمهام التحليلية / اختيارية متعددة، وأقرب إلى 1 للمهام الإبداعية والإنشائية. نوصي بتغيير هذا أو Top P ولكن ليس كلاهما.",
"com_endpoint_anthropic_topk": "يغير top-k الطريقة التي يختار فيها النموذج الرموز للإخراج. يعني top-k 1 أن الرمز المحدد هو الأكثر احتمالية من بين جميع الرموز في المفردات النموذجية (يسمى أيضا الترميز الطمع)، بينما يعني top-k من 3 أن الرمز القادم محدد من بين الرموز الثلاثة الأكثر احتمالية (باستخدام درجة الحرارة).",
"com_endpoint_anthropic_topp": "Top-p يغير الطريقة التي يختار فيها النموذج الرموز للإخراج. يتم اختيار الرموز من الأكثر احتمالية k (انظر المعلمة topK) إلى الأقل حتى يساوي مجموع احتمالاتهم قيمة top-p.",
"com_endpoint_assistant": "المساعد",
"com_endpoint_assistant_model": "نموذج المساعد",
"com_endpoint_assistant_placeholder": "يرجى تحديد مساعد من اللوحة الجانبية اليمنى",
"com_endpoint_completion": "إكمال",
"com_endpoint_completion_model": "نموذج الإكمال (موصى به: GPT-4)",
"com_endpoint_config_click_here": "انقر هنا",
"com_endpoint_config_google_api_info": "للحصول على مفتاح Generative Language API الخاص بك (لـ Gemini)،",
"com_endpoint_config_google_api_key": "مفتاح Google API",
"com_endpoint_config_google_cloud_platform": "تكوين نقطة نهاية Google Cloud Platform",
"com_endpoint_config_google_gemini_api": "تكوين نقطة نهاية Gemini API",
"com_endpoint_config_google_service_key": "مفتاح حساب خدمة Google",
"com_endpoint_config_key": "تعيين مفتاح API",
"com_endpoint_config_key_encryption": "سيتم تشفير مفتاحك وحذفه في",
"com_endpoint_config_key_for": "ضع API Key لـ",
"com_endpoint_config_key_google_need_to": "أنت بحاجة إلى",
"com_endpoint_config_key_google_service_account": "أنشئ حساب خدمة",
"com_endpoint_config_key_google_vertex_ai": "تمكين Vertex AI",
"com_endpoint_config_key_google_vertex_api": "API على Google Cloud، ثم",
"com_endpoint_config_key_google_vertex_api_role": "تأكد من النقر على إنشاء ومتابعة\" لمنح الدور \"Vertex AI User\" على الأقل. أخيرًا، قم بإنشاء مفتاح JSON للعمل على استيراده هنا.",
"com_endpoint_config_key_import_json_key": "استيراد مفتاح حساب الخدمة JSON.",
"com_endpoint_config_key_import_json_key_invalid": "مفتاح حساب الخدمة JSON غير صالح، هل قمت باستيراد الملف الصحيح؟",
"com_endpoint_config_key_import_json_key_success": "تم استيراد مفتاح حساب الخدمة JSON بنجاح",
"com_endpoint_config_key_name": "مفتـاح",
"com_endpoint_config_key_never_expires": "لن ينتهي مفتاحك أبداً",
"com_endpoint_config_placeholder": "اضبط مفتاحك في قائمة الرأس للدردشة.",
"com_endpoint_config_value": "أدخل القيمة لـ",
"com_endpoint_context": "السياق",
"com_endpoint_context_info": "الحد الأقصى لعدد الرموز التي يمكن استخدامها للسياق. استخدم هذا للتحكم في عدد الرموز المرسلة لكل طلب. إذا لم يتم تحديده، سيتم استخدام الإعدادات الافتراضية للنظام بناءً على حجم سياق نماذج معروفة. قد يؤدي تعيين قيم أعلى إلى حدوث أخطاء و/أو تكلفة رموز أعلى.",
"com_endpoint_context_tokens": "الحد الأقصى لرموز السياق",
"com_endpoint_custom_name": "اسم مخصص",
"com_endpoint_default": "الافتراضي",
"com_endpoint_default_blank": "الافتراضي: فارغ",
"com_endpoint_default_empty": "الافتراضي: فارغ",
"com_endpoint_default_with_num": "الافتراضي: {{0}}",
"com_endpoint_examples": "الإعدادات المسبقة ",
"com_endpoint_export": "تصدير",
"com_endpoint_export_share": "تصدير/مشاركة",
"com_endpoint_frequency_penalty": "عقوبة التكرار",
"com_endpoint_func_hover": "تمكين استخدام الإضافات كوظائف OpenAI",
"com_endpoint_google_custom_name_placeholder": "قم بتعيين اسم مخصص لـ Google",
"com_endpoint_google_maxoutputtokens": "الحد الأقصى لعدد الرموز التي يمكن إنشاؤها في الرد. حدد قيمة أقل للردود الأقصر وقيمة أعلى للردود الأطول.",
"com_endpoint_google_temp": "القيم الأعلى = أكثر عشوائية، بينما القيم الأقل = أكثر تركيزًا وحتمية. نوصي بتغيير هذا أو Top P ولكن ليس كلاهما.",
"com_endpoint_google_topk": "Top-k يغير كيفية اختيار النموذج للرموز للإخراج. top-k من 1 يعني أن الرمز المحدد هو الأكثر احتمالية بين جميع الرموز في مفردات النموذج (يسمى أيضًا الترميز الجشعي)، بينما top-k من 3 يعني أن الرمز التالي يتم اختياره من بين الرموز الثلاثة الأكثر احتمالية (باستخدام الحرارة).",
"com_endpoint_google_topp": "Top-p يغير كيفية اختيار النموذج للرموز للإخراج. يتم اختيار الرموز من الأكثر K (انظر معلمة topK) احتمالًا إلى الأقل حتى يصبح مجموع احتمالاتهم يساوي قيمة top-p.",
"com_endpoint_instructions_assistants": "تعليمات التجاوز",
"com_endpoint_instructions_assistants_placeholder": "يتجاوز التعليمات الخاصة بالمساعد. هذا مفيد لتعديل السلوك على أساس كل مرة.",
"com_endpoint_max_output_tokens": "الحد الأقصى لعدد الرموز المنتجة",
"com_endpoint_message": "رسالة",
"com_endpoint_message_new": "رسالة {{0}}",
"com_endpoint_message_not_appendable": "عدّل رسالتك أو أعد إنشاءها.",
"com_endpoint_my_preset": "الإعداد المسبق الخاص بي",
"com_endpoint_no_presets": "لا يوجد إعداد مسبق بعد",
"com_endpoint_open_menu": "افتح القائمة",
"com_endpoint_openai_custom_name_placeholder": "قم بتعيين اسم مخصص لـ ChatGPT",
"com_endpoint_openai_detail": "دقة الطلبات للرؤية. \"منخفضة\" أرخص وأسرع، \"عالية\" أكثر تفصيلاً وتكلفة، و\"تلقائي\" سيختار تلقائيًا بين الاثنين بناءً على دقة الصورة.",
"com_endpoint_openai_freq": "رقم بين -2.0 و 2.0. القيم الموجبة تعاقب الرموز الجديدة بناءً على تكرارها الحالي في النص حتى الآن، مما يقلل من احتمالية تكرار النموذج لنفس السطر حرفيًا.",
"com_endpoint_openai_max": "الحد الأقصى للرموز لتوليد. إجمالي طول الرموز المدخلة والرموز المولدة محدود بطول سياق النموذج.",
"com_endpoint_openai_max_tokens": "حقل `max_tokens` الاختياري، يمثل الحد الأقصى لعدد الرموز التي يمكن توليدها في إكمال المحادثة.\n\nإجمالي طول رموز الإدخال والرموز المولدة محدود بطول سياق النموذج. قد تواجه أخطاء إذا تجاوز هذا العدد الحد الأقصى لرموز السياق.",
"com_endpoint_openai_pres": "رقم بين -2.0 و 2.0. القيم الموجبة تعاقب الرموز الجديدة بناءً على ما إذا كانت تظهر في النص حتى الآن، مما يزيد احتمالية النموذج للحديث عن مواضيع جديدة.",
"com_endpoint_openai_prompt_prefix_placeholder": "قم بتعيين تعليمات مخصصة لتضمينها في رسالة النظام. الافتراضي: لا شيء",
"com_endpoint_openai_resend": "إعادة إرسال جميع الصور المرفقة مسبقًا. ملاحظة: قد يؤدي هذا إلى زيادة كبيرة في تكلفة الرموز وقد تواجه أخطاء مع العديد من مرفقات الصور.",
"com_endpoint_openai_resend_files": "إعادة إرسال جميع الملفات المرفقة مسبقًا. ملاحظة: سيؤدي هذا إلى زيادة تكلفة الرموز وقد تواجه أخطاء مع العديد من المرفقات.",
"com_endpoint_openai_stop": "حتى 4 تسلسلات حيث ستتوقف الواجهة البرمجية عن توليد المزيد من الرموز.",
"com_endpoint_openai_temp": "القيم الأعلى = أكثر عشوائية ، بينما القيم الأقل = أكثر تركيزًا وتحديدًا. نوصي بتغيير هذا أو Top P ولكن ليس كلاهما.",
"com_endpoint_openai_topp": "بديل للعينة مع درجة الحرارة، يسمى العينة النووية، حيث ينظر النموذج في نتائج الرموز مع كتلة احتمال top_p. لذا 0.1 يعني أن الرموز التي تشكل فقط 10% من كتلة الاحتمال تعتبر. نوصي بتغيير هذا أو درجة الحرارة ولكن ليس كلاهما.",
"com_endpoint_output": "الإخراج",
"com_endpoint_plug_image_detail": "تفاصيل الصورة",
"com_endpoint_plug_resend_files": "إعادة إرسال الملفات",
"com_endpoint_plug_set_custom_instructions_for_gpt_placeholder": "قم بتعيين تعليمات مخصصة لتضمينها في رسالة النظام. الافتراضي: لا شيء",
"com_endpoint_plug_skip_completion": "تجاوز الإكمال",
"com_endpoint_plug_use_functions": "استخدام الوظائف",
"com_endpoint_presence_penalty": "عقوبة الوجود",
"com_endpoint_preset": "إعداد مسبق",
"com_endpoint_preset_default": "أصبح الإعداد المسبق الافتراضي الآن.",
"com_endpoint_preset_default_item": "الافتراضي:",
"com_endpoint_preset_default_none": "لا يوجد إعداد مسبق افتراضي نشط.",
"com_endpoint_preset_default_removed": "لم يعد الإعداد المسبق الافتراضي",
"com_endpoint_preset_delete_confirm": "هل أنت متأكد من أنك تريد حذف هذا الإعداد المسبق؟",
"com_endpoint_preset_delete_error": "حدث خطأ أثناء حذف الإعداد المسبق الخاص بك. يرجى المحاولة مرة أخرى.",
"com_endpoint_preset_import": "تم استيراد الإعداد المسبق!",
"com_endpoint_preset_import_error": "حدث خطأ أثناء استيراد الإعداد المسبق الخاص بك. يرجى المحاولة مرة أخرى.",
"com_endpoint_preset_name": "اسم الإعداد المسبق",
"com_endpoint_preset_save_error": "حدث خطأ أثناء حفظ الإعداد المسبق الخاص بك. يرجى المحاولة مرة أخرى.",
"com_endpoint_preset_selected": "الإعداد المسبق نشط!",
"com_endpoint_preset_selected_title": "مُحدَّد!",
"com_endpoint_preset_title": "إعداد مسبق",
"com_endpoint_presets": "إعدادات مسبقة",
"com_endpoint_presets_clear_warning": "هل أنت متأكد أنك تريد مسح جميع الإعدادات المسبقة؟ هذا لا يمكن التراجع عنه.",
"com_endpoint_prompt_cache": "استخدام التخزين المؤقت للأوامر",
"com_endpoint_prompt_prefix": "بادئة الأمر",
"com_endpoint_prompt_prefix_assistants": "التعليمات الإضافية",
"com_endpoint_prompt_prefix_assistants_placeholder": "ضع تعليمات أو سياق إضافي فوق التعليمات الرئيسية للمساعد. يتم تجاهله إذا كان فارغًا.",
"com_endpoint_prompt_prefix_placeholder": "قم بتعيين تعليمات مخصصة أو سياق. يتم تجاهله إذا كان فارغًا.",
"com_endpoint_save_as_preset": "حفظ كإعداد مسبق",
"com_endpoint_search": "البحث عن نقطة النهاية بالاسم",
"com_endpoint_set_custom_name": "قم بتعيين اسم مخصص، في حالة إمكانية العثور على هذا الإعداد المسبق",
"com_endpoint_skip_hover": "تمكين تجاوز خطوة الإكمال التي تقوم بمراجعة الإجابة النهائية والخطوات المولدة",
"com_endpoint_stop": "توقف التسلسلات",
"com_endpoint_stop_placeholder": "اضغط على 'Enter' لفصل القيم",
"com_endpoint_temperature": "درجة الحرارة",
"com_endpoint_top_k": "أعلى K",
"com_endpoint_top_p": "أعلى P",
"com_endpoint_use_active_assistant": "استخدام المساعد النشط",
"com_error_expired_user_key": "انتهت صلاحية المفتاح المقدم لـ {{0}} في {{1}}. يرجى تقديم مفتاح وحاول مرة أخرى.",
"com_error_files_dupe": "تم اكتشاف ملف مكرر.",
"com_error_files_empty": "الملفات الفارغة غير مسموح بها",
"com_error_files_process": "حدث خطأ أثناء معالجة الملف.",
"com_error_files_unsupported_capability": "لا توجد قدرات مفعّلة تدعم هذا النوع من الملفات.",
"com_error_files_upload": "حدث خطأ أثناء رفع الملف.",
"com_error_files_upload_canceled": "تم إلغاء طلب تحميل الملف. ملاحظة: قد تكون عملية تحميل الملف لا تزال قيد المعالجة وستحتاج إلى حذفها يدويًا.",
"com_error_files_validation": "حدث خطأ أثناء التحقق من صحة الملف.",
"com_error_input_length": "عدد الرموز في آخر رسالة طويل جداً، ويتجاوز الحد المسموح به ({{0}}). يرجى تقصير رسالتك، أو تعديل الحد الأقصى للسياق من معلمات المحادثة، أو تفريع المحادثة للمتابعة.",
"com_error_invalid_user_key": "مفتاح غير صالح. يرجى تقديم مفتاح صالح والمحاولة مرة أخرى.",
"com_error_moderation": "يبدو أن المحتوى المقدم قد تم وضع علامة عليه من قبل نظام الرقابة لدينا لعدم توافقه مع إرشادات مجتمعنا. لا نستطيع المضي قدمًا في هذا الموضوع المحدد. إذا كانت لديك أسئلة أخرى أو مواضيع ترغب في استكشافها، يرجى تحرير رسالتك، أو إنشاء محادثة جديدة.",
"com_error_no_base_url": "لم يتم العثور على رابط أساسي. يرجى تقديم واحد والمحاولة مرة أخرى.",
"com_error_no_user_key": "لم يتم العثور على مفتاح. يرجى تقديم مفتاح والمحاولة مرة أخرى.",
"com_files_filter": "فلترة الملفات...",
"com_files_no_results": "لا توجد نتائج.",
"com_files_number_selected": "تم اختيار {{0}} من أصل {{1}} ملف(ملفات)",
"com_generated_files": "الملفات المُنشأة:",
"com_hide_examples": "إخفاء الأمثلة",
"com_nav_account_settings": "إعدادات الحساب",
"com_nav_always_make_prod": "جعل الإصدارات الجديدة للإنتاج دائماً",
"com_nav_archive_created_at": "تاريخ الإنشاء",
"com_nav_archive_name": "الاسم",
"com_nav_archived_chats": "الدردشات المؤرشفة",
"com_nav_at_command": "أمر-@",
"com_nav_at_command_description": "تبديل الأمر \"@\" للتنقل بين نقاط النهاية والنماذج والإعدادات المسبقة وغيرها",
"com_nav_audio_play_error": "خطأ في تشغيل الصوت: {{0}}",
"com_nav_audio_process_error": "خطأ في معالجة الصوت: {{0}}",
"com_nav_auto_scroll": "التمرير التلقائي إلى أحدث عند الفتح",
"com_nav_auto_send_prompts": "إرسال تلقائي للموجهات",
"com_nav_auto_send_text": "إرسال النص تلقائيًا",
"com_nav_auto_send_text_disabled": "اضبط القيمة على -1 للتعطيل",
"com_nav_auto_transcribe_audio": "النسخ التلقائي للصوت",
"com_nav_automatic_playback": "تشغيل تلقائي لآخر رسالة",
"com_nav_balance": "توازن",
"com_nav_browser": "المتصفح",
"com_nav_change_picture": "تغيير الصورة",
"com_nav_chat_commands": "أوامر الدردشة",
"com_nav_chat_commands_info": "يتم تفعيل هذه الأوامر عن طريق كتابة رموز محددة في بداية رسالتك. يتم تشغيل كل أمر بواسطة البادئة المخصصة له. يمكنك تعطيلها إذا كنت تستخدم هذه الرموز بشكل متكرر في بداية رسائلك.",
"com_nav_chat_direction": "اتجاه الدردشة",
"com_nav_clear_all_chats": "مسح كل الدردشات",
"com_nav_clear_cache_confirm_message": "هل أنت متأكد أنك تريد مسح ذاكرة التخزين المؤقت؟",
"com_nav_clear_conversation": "مسح المحادثات",
"com_nav_clear_conversation_confirm_message": "هل أنت متأكد أنك تريد مسح جميع المحادثات؟ هذا لا يمكن التراجع عنه.",
"com_nav_close_sidebar": "إغلاق القائمة الجانبية",
"com_nav_commands": "الأوامر",
"com_nav_confirm_clear": "تأكيد المسح",
"com_nav_conversation_mode": "وضع المحادثة",
"com_nav_convo_menu_options": "خيارات قائمة المحادثة",
"com_nav_db_sensitivity": "حساسية الديسيبل",
"com_nav_delete_account": "حذف الحساب",
"com_nav_delete_account_button": "حذف حسابي نهائياً",
"com_nav_delete_account_confirm": "حذف الحساب - هل أنت متأكد؟",
"com_nav_delete_account_email_placeholder": "الرجاء إدخال البريد الإلكتروني للحساب",
"com_nav_delete_cache_storage": "حذف ذاكرة التخزين المؤقت للنص المنطوق",
"com_nav_delete_data_info": "سيتم حذف جميع بياناتك",
"com_nav_delete_warning": "تحذير: سيؤدي هذا إلى حذف حسابك بشكل نهائي.",
"com_nav_enable_cache_tts": "تمكين ذاكرة التخزين المؤقت للنص المنطوق",
"com_nav_enable_cloud_browser_voice": "استخدام الأصوات السحابية",
"com_nav_enabled": "تم التمكين",
"com_nav_engine": "المحرك",
"com_nav_enter_to_send": "اضغط على مفتاح الإدخال لإرسال الرسائل",
"com_nav_export": "تصدير",
"com_nav_export_all_message_branches": "تصدير كل فروع الرسائل",
"com_nav_export_conversation": "تصدير المحادثة",
"com_nav_export_filename": "اسم الملف",
"com_nav_export_filename_placeholder": "قم بتعيين اسم الملف",
"com_nav_export_include_endpoint_options": "تضمين خيارات النقاط النهائية",
"com_nav_export_recursive": "تكراري",
"com_nav_export_recursive_or_sequential": "التراجع أو التسلسل؟",
"com_nav_export_type": "النوع",
"com_nav_external": "خارجي",
"com_nav_font_size": "حجم الخط",
"com_nav_font_size_base": "متوسط",
"com_nav_font_size_lg": "كبير",
"com_nav_font_size_sm": "صغير",
"com_nav_font_size_xl": "كبير جداً",
"com_nav_font_size_xs": "صغير جداً",
"com_nav_help_faq": "مساعدة & الأسئلة الشائعة",
"com_nav_hide_panel": "إخفاء اللوحة الجانبية اليمنى",
"com_nav_info_code_artifacts": "تمكين عرض عناصر الكود التجريبية بجانب المحادثة",
"com_nav_info_custom_prompt_mode": "عند التمكين، لن يتم تضمين النص التلقائي للنظام. يجب توفير جميع تعليمات إنشاء العناصر يدويًا في هذا الوضع.",
"com_nav_info_enter_to_send": "عند التفعيل، سيؤدي الضغط على مفتاح `ENTER` إلى إرسال رسالتك. عند التعطيل، سيؤدي الضغط على مفتاح Enter إلى إضافة سطر جديد، وستحتاج إلى الضغط على `CTRL + ENTER` / `⌘ + ENTER` لإرسال رسالتك.",
"com_nav_info_fork_change_default": "\"الرسائل المرئية فقط\" تتضمن فقط المسار المباشر إلى الرسالة المحددة. \"تضمين الفروع ذات الصلة\" يضيف الفروع على طول المسار. \"تضمين الكل إلى/من هنا\" يشمل جميع الرسائل والفروع المتصلة.",
"com_nav_info_fork_split_target_setting": "عند التفعيل، سيبدأ التفريع من الرسالة المستهدفة إلى آخر رسالة في المحادثة، وفقاً للسلوك المحدد.",
"com_nav_info_include_shadcnui": "عند التفعيل، سيتم تضمين تعليمات استخدام مكونات shadcn/ui. تعد shadcn/ui مجموعة من المكونات القابلة لإعادة الاستخدام والمبنية باستخدام Radix UI و Tailwind CSS. ملاحظة: هذه التعليمات مطولة، يجب تفعيلها فقط إذا كان إخبار نموذج اللغة الآلي (LLM) بالاستيرادات والمكونات الصحيحة مهمًا بالنسبة لك. لمزيد من المعلومات حول هذه المكونات، قم بزيارة: https://ui.shadcn.com/",
"com_nav_info_latex_parsing": "عند التمكين، سيتم عرض رموز LaTeX في الرسائل كمعادلات رياضية. تعطيل هذه الخاصية قد يحسن الأداء إذا كنت لا تحتاج إلى عرض LaTeX.",
"com_nav_info_save_draft": "عند التمكين، سيتم حفظ النص والمرفقات التي تدخلها في نموذج الدردشة تلقائياً كمسودات محلية. ستظل هذه المسودات متاحة حتى إذا قمت بإعادة تحميل الصفحة أو التبديل إلى محادثة مختلفة. يتم تخزين المسودات محلياً على جهازك ويتم حذفها بمجرد إرسال الرسالة.",
"com_nav_info_user_name_display": "عند التفعيل، سيظهر اسم المستخدم الخاص بك فوق كل رسالة ترسلها. عند التعطيل، سترى فقط كلمة \"أنت\" فوق رسائلك",
"com_nav_lang_arabic": "العربية",
"com_nav_lang_auto": "اكتشاف تلقائي",
"com_nav_lang_brazilian_portuguese": "Português Brasileiro",
"com_nav_lang_chinese": "中文",
"com_nav_lang_dutch": "Nederlands",
"com_nav_lang_english": "English",
"com_nav_lang_estonian": "Eesti keel",
"com_nav_lang_finnish": "Suomi",
"com_nav_lang_french": "Français ",
"com_nav_lang_georgian": "ქართული",
"com_nav_lang_german": "Deutsch",
"com_nav_lang_hebrew": "עברית",
"com_nav_lang_indonesia": "Indonesia",
"com_nav_lang_italian": "Italiano",
"com_nav_lang_japanese": "日本語",
"com_nav_lang_korean": "한국어",
"com_nav_lang_polish": "Polski",
"com_nav_lang_portuguese": "Português",
"com_nav_lang_russian": "Русский",
"com_nav_lang_spanish": "Español",
"com_nav_lang_swedish": "Svenska",
"com_nav_lang_thai": "ไทย",
"com_nav_lang_traditional_chinese": "繁體中文",
"com_nav_lang_turkish": "Türkçe",
"com_nav_lang_vietnamese": "Tiếng Việt",
"com_nav_language": "اللغة",
"com_nav_latex_parsing": "تحليل LaTeX في الرسائل (قد يؤثر على الأداء)",
"com_nav_log_out": "تسجيل الخروج",
"com_nav_long_audio_warning": "ستستغرق النصوص الطويلة وقتاً أطول للمعالجة",
"com_nav_maximize_chat_space": "تكبير مساحة الدردشة",
"com_nav_modular_chat": "تمكين تبديل النقاط النهائية أثناء المحادثة",
"com_nav_my_files": "ملفاتي",
"com_nav_not_supported": "غير مدعوم",
"com_nav_open_sidebar": "افتح القائمة الجانبية",
"com_nav_playback_rate": "سرعة تشغيل الصوت",
"com_nav_plugin_auth_error": "حدث خطأ أثناء محاولة المصادقة على هذا البرنامج المساعد. يرجى المحاولة مرة أخرى.",
"com_nav_plugin_install": "تثبيت",
"com_nav_plugin_search": "ابحث عن الإضافات",
"com_nav_plugin_store": "متجر الإضافات",
"com_nav_plugin_uninstall": "إلغاء تثبيت",
"com_nav_plus_command": "+- الأمر",
"com_nav_plus_command_description": "تبديل الأمر \"+\" لإضافة إعداد الردود المتعددة",
"com_nav_profile_picture": "صورة الملف الشخصي",
"com_nav_save_drafts": "حفظ المستخدمين",
"com_nav_search_placeholder": "بحث في الرسائل",
"com_nav_send_message": "إرسال رسالة",
"com_nav_setting_account": "الحساب",
"com_nav_setting_beta": "ميزات تجريبية",
"com_nav_setting_chat": "دردشة",
"com_nav_setting_data": "تحكم في البيانات",
"com_nav_setting_general": "عام",
"com_nav_setting_speech": "الكلام",
"com_nav_settings": "الإعدادات",
"com_nav_shared_links": "روابط مشتركة",
"com_nav_show_code": "إظهار الشفرة دائمًا عند استخدام مفسر الشفرة",
"com_nav_slash_command": "/-الأمر",
"com_nav_slash_command_description": "تبديل الأمر \"/\" لاختيار موجه عبر لوحة المفاتيح",
"com_nav_speech_to_text": "تحويل الكلام إلى نص",
"com_nav_stop_generating": "إيقاف التوليد",
"com_nav_text_to_speech": "تحويل النص إلى كلام",
"com_nav_theme": "المظهر",
"com_nav_theme_dark": "داكن",
"com_nav_theme_light": "فاتح",
"com_nav_theme_system": "النظام",
"com_nav_tool_dialog": "أدوات المساعد",
"com_nav_tool_dialog_agents": "أدوات الوكيل",
"com_nav_tool_dialog_description": "يجب حفظ المساعد لإبقاء اختيارات الأدوات.",
"com_nav_tool_remove": "إزالة",
"com_nav_tool_search": "أدوات البحث",
"com_nav_user": "المستخدم",
"com_nav_user_msg_markdown": "عرض رسائل المستخدم بتنسيق markdown",
"com_nav_user_name_display": "عرض اسم المستخدم في الرسائل",
"com_nav_voice_select": "الصوت",
"com_show_agent_settings": "إظهار إعدادات الوكيل",
"com_show_completion_settings": "إظهار إعدادات الإكمال",
"com_show_examples": "عرض أمثلة",
"com_sidepanel_agent_builder": "بانٍ المساعد",
"com_sidepanel_assistant_builder": "بانٍ المساعد",
"com_sidepanel_attach_files": "إرفاق الملفات",
"com_sidepanel_conversation_tags": "الإشارات المرجعية",
"com_sidepanel_hide_panel": "إخفاء اللوحة",
"com_sidepanel_manage_files": "إدارة الملفات",
"com_sidepanel_parameters": "معلمات",
"com_ui_accept": "أوافق",
"com_ui_add": "إضافة",
"com_ui_add_model_preset": "إضافة نموذج أو إعداد مسبق للرد الإضافي",
"com_ui_add_multi_conversation": "إضافة محادثات متعددة",
"com_ui_admin": "مشرف",
"com_ui_admin_access_warning": "قد يؤدي تعطيل وصول المسؤول إلى هذه الميزة إلى مشاكل غير متوقعة في واجهة المستخدم تتطلب تحديث الصفحة. في حالة الحفظ، الطريقة الوحيدة للتراجع هي عبر إعداد الواجهة في ملف librechat.yaml والذي يؤثر على جميع الأدوار.",
"com_ui_admin_settings": "إعدادات المسؤول",
"com_ui_advanced": "متقدم",
"com_ui_agent": "وكيل",
"com_ui_agent_delete_error": "حدث خطأ أثناء حذف المساعد",
"com_ui_agent_deleted": "تم حذف المساعد بنجاح",
"com_ui_agent_duplicate_error": "حدث خطأ أثناء نسخ المساعد",
"com_ui_agent_duplicated": "تم نسخ العميل بنجاح",
"com_ui_agent_editing_allowed": "يمكن للمستخدمين الآخرين تعديل هذا الوكيل بالفعل",
"com_ui_agents": "الوكلاء",
"com_ui_agents_allow_create": "السماح بإنشاء الوكلاء",
"com_ui_agents_allow_share_global": "السماح بمشاركة الوكلاء مع جميع المستخدمين",
"com_ui_agents_allow_use": "السماح باستخدام الوكلاء",
"com_ui_all": "الكل",
"com_ui_all_proper": "الكل",
"com_ui_archive": "أرشفة",
"com_ui_archive_error": "فشل في أرشفة المحادثة",
"com_ui_artifact_click": "انقر للفتح",
"com_ui_artifacts": "المخرجات",
"com_ui_artifacts_toggle": "تبديل واجهة العناصر",
"com_ui_ascending": "تصاعدي",
"com_ui_assistant": "المساعد",
"com_ui_assistant_delete_error": "حدث خطأ أثناء حذف المساعد",
"com_ui_assistant_deleted": "تم حذف المساعد بنجاح",
"com_ui_assistants": "المساعدون",
"com_ui_assistants_output": "إخراج المساعدين",
"com_ui_attach_error": "تعذر إرفاق الملف. يرجى إنشاء أو تحديد محادثة، أو حاول تحديث الصفحة.",
"com_ui_attach_error_openai": "لا يمكن إرفاق ملفات المساعد إلى نقاط نهائية أخرى",
"com_ui_attach_error_size": "تم تجاوز حد حجم الملف للنقطة النهائية",
"com_ui_attach_error_type": "نوع ملف غير مدعوم للنقطة النهائية:",
"com_ui_attach_warn_endpoint": "قد يتم تجاهل الملفات غير المساعدة دون وجود أداة متوافقة",
"com_ui_attachment": "مرفق",
"com_ui_authentication": "المصادقة",
"com_ui_avatar": "الصورة الرمزية",
"com_ui_back_to_chat": "العودة إلى الدردشة",
"com_ui_back_to_prompts": "العودة إلى الأوامر",
"com_ui_bookmark_delete_confirm": "هل أنت متأكد أنك تريد حذف هذه الإشارة المرجعية؟",
"com_ui_bookmarks": "الإشارات المرجعية",
"com_ui_bookmarks_add": "إضافة إشارات مرجعية",
"com_ui_bookmarks_add_to_conversation": "أضف إلى المحادثة الحالية",
"com_ui_bookmarks_count": "العدد",
"com_ui_bookmarks_create_error": "حدث خطأ أثناء إنشاء الإشارة المرجعية",
"com_ui_bookmarks_create_exists": "هذه الإشارة المرجعية موجودة بالفعل",
"com_ui_bookmarks_create_success": "تم إنشاء الإشارة المرجعية بنجاح",
"com_ui_bookmarks_delete": "حذف الإشارة المرجعية",
"com_ui_bookmarks_delete_error": "حدث خطأ أثناء حذف الإشارة المرجعية",
"com_ui_bookmarks_delete_success": "تم حذف الإشارة المرجعية بنجاح",
"com_ui_bookmarks_description": "وصف",
"com_ui_bookmarks_edit": "تعديل الإشارة المرجعية",
"com_ui_bookmarks_filter": "تصفية الإشارات المرجعية...",
"com_ui_bookmarks_new": "إشارة مرجعية جديدة",
"com_ui_bookmarks_title": "عنوان",
"com_ui_bookmarks_update_error": "حدث خطأ أثناء تحديث الإشارة المرجعية",
"com_ui_bookmarks_update_success": "تم تحديث الإشارة المرجعية بنجاح",
"com_ui_cancel": "إلغاء",
"com_ui_chat": "دردشة",
"com_ui_chat_history": "سجل الدردشة",
"com_ui_clear": "مسح",
"com_ui_clear_all": "مسح الكل",
"com_ui_close": "إغلاق",
"com_ui_code": "كود",
"com_ui_collapse_chat": "طي الدردشة",
"com_ui_command_placeholder": "اختياري: أدخل أمرًا للموجه أو سيتم استخدام الاسم.",
"com_ui_command_usage_placeholder": "حدد موجهًا باستخدام الأمر أو الاسم",
"com_ui_confirm_action": "تأكيد الإجراء",
"com_ui_context": "سياق",
"com_ui_continue": "استمر",
"com_ui_controls": "عناصر التحكم",
"com_ui_copied": "تم النسخ",
"com_ui_copied_to_clipboard": "تم النسخ إلى الحافظة",
"com_ui_copy_code": "نسخ الكود",
"com_ui_copy_link": "نسخ الرابط",
"com_ui_copy_to_clipboard": "نسخ إلى الحافظة",
"com_ui_create": "إنشاء",
"com_ui_create_link": "إنشاء رابط",
"com_ui_create_prompt": "إنشاء أمر",
"com_ui_custom_prompt_mode": "وضع الأمر المخصص",
"com_ui_dashboard": "لوحة التحكم",
"com_ui_date": "تاريخ",
"com_ui_date_april": "أبريل",
"com_ui_date_august": "أغسطس",
"com_ui_date_december": "ديسمبر",
"com_ui_date_february": "فبراير",
"com_ui_date_january": "يناير",
"com_ui_date_july": "يوليو",
"com_ui_date_june": "يونيو",
"com_ui_date_march": "مارس",
"com_ui_date_may": "مايو",
"com_ui_date_november": "نوفمبر",
"com_ui_date_october": "أكتوبر",
"com_ui_date_previous_30_days": "الـ 30 يومًا السابقة",
"com_ui_date_previous_7_days": "الأيام السبعة السابقة",
"com_ui_date_september": "سبتمبر",
"com_ui_date_today": "اليوم",
"com_ui_date_yesterday": "أمس",
"com_ui_decline": "لا أوافق",
"com_ui_delete": "حذف",
"com_ui_delete_action": "حذف الإجراء",
"com_ui_delete_action_confirm": "هل أنت متأكد من رغبتك في حذف هذا الإجراء؟",
"com_ui_delete_agent_confirm": "هل أنت متأكد من رغبتك في حذف هذا الوكيل؟",
"com_ui_delete_assistant_confirm": "هل أنت متأكد من رغبتك في حذف هذا المساعد؟ لا يمكن التراجع عن هذا الإجراء.",
"com_ui_delete_confirm": "سيتم حذف هذا",
"com_ui_delete_confirm_prompt_version_var": "سيؤدي هذا إلى حذف النسخة المحددة لـ \"{{0}}.\" إذا لم تكن هناك نسخ أخرى، سيتم حذف النص التلقائي.",
"com_ui_delete_conversation": "حذف الدردشة؟",
"com_ui_delete_prompt": "حذف المطالبة؟",
"com_ui_delete_shared_link": "حذف الرابط المشترك؟",
"com_ui_delete_tool": "حذف الأداة",
"com_ui_delete_tool_confirm": "هل أنت متأكد من رغبتك في حذف هذه الأداة؟",
"com_ui_descending": "تنازلي",
"com_ui_description": "وصف",
"com_ui_description_placeholder": "اختياري: أدخل وصفاً ليتم عرضه للموجه",
"com_ui_download_error": "حدث خطأ أثناء تنزيل الملف. قد يكون الملف قد تم حذفه.",
"com_ui_dropdown_variables": "متغيرات القائمة المنسدلة:",
"com_ui_dropdown_variables_info": "إنشاء قوائم منسدلة مخصصة لمحادثاتك: `{{variable_name:option1|option2|option3}}`",
"com_ui_duplicate": "نسخ",
"com_ui_duplication_error": "حدث خطأ أثناء نسخ المحادثة",
"com_ui_duplication_processing": "جارِ نسخ المحادثة...",
"com_ui_duplication_success": "تم نسخ المحادثة بنجاح",
"com_ui_edit": "تعديل",
"com_ui_endpoint": "نقطة النهاية",
"com_ui_endpoint_menu": "قائمة نقطة نهاية LLM",
"com_ui_enter": "أدخل",
"com_ui_enter_api_key": "أدخل مفتاح API",
"com_ui_enter_openapi_schema": "أدخل مخطط OpenAPI هنا",
"com_ui_error": "خطأ",
"com_ui_error_connection": "خطأ في الاتصال بالخادم، حاول تحديث الصفحة.",
"com_ui_error_save_admin_settings": "حدث خطأ أثناء حفظ إعدادات المسؤول.",
"com_ui_examples": "أمثلة",
"com_ui_export_convo_modal": "نافذة تصدير المحادثة",
"com_ui_field_required": "هذا الحقل مطلوب",
"com_ui_filter_prompts_name": "تصفية الأوامر حسب الاسم",
"com_ui_fork": "تفرع",
"com_ui_fork_all_target": "تضمين الكل إلى/من هنا",
"com_ui_fork_branches": "تضمين الفروع ذات الصلة",
"com_ui_fork_change_default": "خيار التفرع الافتراضي",
"com_ui_fork_default": "استخدم خيار التفريع الافتراضي",
"com_ui_fork_error": "حدث خطأ أثناء تفريع المحادثة",
"com_ui_fork_from_message": "اختر خيار التفرع",
"com_ui_fork_info_1": "استخدم هذا الإعداد لتفريع الرسائل بالسلوك المرغوب.",
"com_ui_fork_info_2": "\"التفريع\" يشير إلى إنشاء محادثة جديدة تبدأ/تنتهي من رسائل محددة في المحادثة الحالية، وإنشاء نسخة وفقًا للخيارات المحددة.",
"com_ui_fork_info_3": "\"الرسالة المستهدفة\" تشير إما إلى الرسالة التي تم فتح هذه النافذة المنبثقة منها، أو إذا قمت بتحديد \"{{0}}\"، آخر رسالة في المحادثة.",
"com_ui_fork_info_branches": "هذا الخيار يقسم الرسائل المرئية، جنبًا إلى جنب مع الفروع ذات الصلة؛ بمعنى آخر، المسار المباشر إلى الرسالة المستهدفة، بما في ذلك الفروع على طول المسار.",
"com_ui_fork_info_remember": "حدد هذا الخيار لتذكر الإعدادات التي اخترتها لاستخدامها مستقبلاً، مما يجعل عملية تفريع المحادثات أسرع وفقًا لتفضيلاتك.",
"com_ui_fork_info_start": "إذا تم تحديده، فسيبدأ التفريع من هذه الرسالة إلى آخر رسالة في المحادثة، وفقًا للسلوك المحدد أعلاه.",
"com_ui_fork_info_target": "هذا الخيار يؤدي إلى تفريع جميع الرسائل التي تؤدي إلى الرسالة المستهدفة، بما في ذلك جيرانها؛ بعبارة أخرى، يتم تضمين جميع فروع الرسائل، سواء كانت مرئية أم لا أو على نفس المسار.",
"com_ui_fork_info_visible": "هذا الخيار يقوم بتفريع الرسائل المرئية فقط؛ بمعنى آخر، المسار المباشر إلى الرسالة المستهدفة، دون أي فروع.",
"com_ui_fork_processing": "تجزئة المحادثة...",
"com_ui_fork_remember": "تذكر",
"com_ui_fork_remember_checked": "سيتم تذكر اختيارك بعد الاستخدام. يمكنك تغيير هذا في أي وقت من إعدادات البرنامج.",
"com_ui_fork_split_target": "ابدأ التفرع هنا",
"com_ui_fork_split_target_setting": "ابدأ التفرع من رسالة الهدف افتراضيًا",
"com_ui_fork_success": "تم تفريع المحادثة بنجاح",
"com_ui_fork_visible": "الرسائل المرئية فقط",
"com_ui_go_to_conversation": "انتقل إلى المحادثة",
"com_ui_happy_birthday": "إنه عيد ميلادي الأول!",
"com_ui_host": "مُضيف",
"com_ui_image_gen": "توليد الصور",
"com_ui_import_conversation_error": "حدث خطأ أثناء استيراد محادثاتك",
"com_ui_import_conversation_file_type_error": "نوع الملف غير مدعوم للاستيراد",
"com_ui_import_conversation_info": "استيراد محادثات من ملف JSON",
"com_ui_import_conversation_success": "تم استيراد المحادثات بنجاح",
"com_ui_include_shadcnui": "تضمين تعليمات مكونات shadcn/ui",
"com_ui_input": "إدخال",
"com_ui_instructions": "تعليمات",
"com_ui_latest_footer": "الذكاء الاصطناعي للجميع.",
"com_ui_librechat_code_api_key": "احصل على مفتاح واجهة برمجة التطبيقات لمترجم الكود LibreChat",
"com_ui_librechat_code_api_subtitle": "آمن. متعدد اللغات. ملفات الإدخال/الإخراج.",
"com_ui_librechat_code_api_title": "تشغيل كود الذكاء الاصطناعي",
"com_ui_locked": "مقفل",
"com_ui_logo": "شعار {{0}}",
"com_ui_manage": "إدارة",
"com_ui_max_tags": "الحد الأقصى المسموح به هو {{0}}، باستخدام أحدث القيم.",
"com_ui_mention": "اذكر نقطة نهاية أو مساعدًا أو إعدادًا مسبقًا للتبديل إليه بسرعة",
"com_ui_min_tags": "لا يمكن إزالة المزيد من القيم، الحد الأدنى المطلوب هو {{0}}.",
"com_ui_model": "النموذج",
"com_ui_model_parameters": "معلمات النموذج",
"com_ui_more_info": "مزيد من المعلومات",
"com_ui_my_prompts": "أوامري",
"com_ui_name": "اسم",
"com_ui_new_chat": "دردشة جديدة",
"com_ui_next": "التالي",
"com_ui_no": "لا",
"com_ui_no_bookmarks": "يبدو أنه لا توجد لديك إشارات مرجعية بعد. انقر على محادثة وأضف واحدة جديدة",
"com_ui_no_category": "لا يوجد تصنيف",
"com_ui_no_changes": "لا توجد تغييرات للتحديث",
"com_ui_no_terms_content": "لا يوجد محتوى لشروط الخدمة",
"com_ui_nothing_found": "لم يتم العثور على أي شيء",
"com_ui_of": "من",
"com_ui_off": "إيقاف",
"com_ui_on": "مفعل",
"com_ui_page": "صفحة",
"com_ui_prev": "السابق",
"com_ui_preview": "معاينة",
"com_ui_privacy_policy": "سياسة الخصوصية",
"com_ui_privacy_policy_url": "رابط سياسة الخصوصية",
"com_ui_prompt": "موجه",
"com_ui_prompt_already_shared_to_all": "تم مشاركة هذا المحتوى مع جميع المستخدمين بالفعل",
"com_ui_prompt_name": "اسم الأمر",
"com_ui_prompt_name_required": "اسم الأمر مطلوب",
"com_ui_prompt_preview_not_shared": "لم يسمح المؤلف بالمشاركة لهذا الإجراء",
"com_ui_prompt_text": "نص",
"com_ui_prompt_text_required": "النص مطلوب",
"com_ui_prompt_update_error": "حدث خطأ أثناء تحديث المطالبة",
"com_ui_prompts": "الأوامر",
"com_ui_prompts_allow_create": "السماح بإنشاء الأوامر",
"com_ui_prompts_allow_share_global": "السماح بمشاركة الأوامر مع جميع المستخدمين",
"com_ui_prompts_allow_use": "السماح باستخدام الأوامر",
"com_ui_provider": "مزود",
"com_ui_read_aloud": "قراءة بصوت عالٍ",
"com_ui_regenerate": "إعادة توليد",
"com_ui_region": "المنطقة",
"com_ui_rename": "إعادة تسمية",
"com_ui_reset_var": "إعادة تعيين {{0}}",
"com_ui_result": "النتيجة",
"com_ui_revoke": "إلغاء",
"com_ui_revoke_info": "إلغاء جميع بيانات الاعتماد المقدمة من المستخدم.",
"com_ui_revoke_key_confirm": "هل أنت متأكد من إلغاء هذا المفتاح؟",
"com_ui_revoke_key_endpoint": "إلغاء المفتاح لـ {{0}}",
"com_ui_revoke_keys": "إلغاء المفاتيح",
"com_ui_revoke_keys_confirm": "هل أنت متأكد من أنك تريد إلغاء جميع المفاتيح؟",
"com_ui_role_select": "الدور",
"com_ui_run_code": "تنفيذ الشفرة",
"com_ui_run_code_error": "حدث خطأ أثناء تشغيل الكود",
"com_ui_save": "حفظ",
"com_ui_save_submit": "حفظ وإرسال",
"com_ui_saved": "تم الحفظ!",
"com_ui_schema": "المخطط",
"com_ui_select": "اختر",
"com_ui_select_file": "اختر ملفًا",
"com_ui_select_model": "اختر نموذجًا",
"com_ui_select_provider": "اختر مزودًا",
"com_ui_select_provider_first": "اختر مزود الخدمة أولاً",
"com_ui_select_region": "اختر المنطقة",
"com_ui_select_search_model": "ابحث عن نموذج باسمه",
"com_ui_select_search_plugin": "إضافة البحث عن الإضافات حسب الاسم",
"com_ui_select_search_provider": "ابحث عن مزود الخدمة باسمه",
"com_ui_select_search_region": "ابحث عن المنطقة بالاسم",
"com_ui_share": "مشاركة",
"com_ui_share_create_message": "سيظل اسمك وأي رسائل تضيفها بعد المشاركة خاصة.",
"com_ui_share_delete_error": "حدث خطأ أثناء حذف الرابط المشترك.",
"com_ui_share_error": "حدث خطأ أثناء مشاركة رابط الدردشة",
"com_ui_share_link_to_chat": "شارك الرابط في الدردشة",
"com_ui_share_to_all_users": "مشاركة مع جميع المستخدمين",
"com_ui_share_update_message": "سيظل اسمك والتعليمات المخصصة وأي رسائل تضيفها بعد المشاركة خاصة.",
"com_ui_share_var": "مشاركة {{0}}",
"com_ui_shared_link_not_found": "الرابط المشترك غير موجود",
"com_ui_shared_prompts": "المطالبات المشتركة",
"com_ui_show_all": "عرض الكل",
"com_ui_simple": "بسيط",
"com_ui_size": "الحجم",
"com_ui_special_variables": "المتغيرات الخاصة:",
"com_ui_speech_while_submitting": "لا يمكن إرسال الكلام أثناء إنشاء الرد",
"com_ui_stop": "توقف",
"com_ui_storage": "التخزين",
"com_ui_submit": "إرسال",
"com_ui_terms_and_conditions": "شروط الخدمة",
"com_ui_terms_of_service": "شروط الخدمة",
"com_ui_tools": "أدوات المساعدين",
"com_ui_unarchive": "إلغاء الأرشفة",
"com_ui_unarchive_error": "فشل في إلغاء الأرشفة",
"com_ui_unknown": "غير معروف",
"com_ui_update": "تحديث",
"com_ui_upload": "تحميل",
"com_ui_upload_code_files": "تحميل لمفسر الكود",
"com_ui_upload_delay": "تحميل \"{{0}}\" يستغرق وقتًا أطول من المتوقع. يرجى الانتظار حتى ينتهي فهرسة الملف للاسترجاع.",
"com_ui_upload_error": "حدث خطأ أثناء تحميل ملفك",
"com_ui_upload_file_search": "تحميل للبحث في الملفات",
"com_ui_upload_files": "تحميل الملفات",
"com_ui_upload_image": "تحميل صورة",
"com_ui_upload_image_input": "تحميل صورة",
"com_ui_upload_invalid": "ملف غير صالح للتحميل. يجب أن يكون صورة لا تتجاوز الحد المسموح به",
"com_ui_upload_invalid_var": "ملف غير صالح للتحميل. يجب أن يكون صورة لا يتجاوز حجمها {{0}} ميجابايت",
"com_ui_upload_success": "تم تحميل الملف بنجاح",
"com_ui_upload_type": "اختر نوع التحميل",
"com_ui_use_micrphone": "استخدام الميكروفون",
"com_ui_use_prompt": "استخدم الأمر",
"com_ui_variables": "متغيرات",
"com_ui_variables_info": "استخدم أقواس مزدوجة في نصك لإنشاء متغيرات، مثل `{{متغير كمثال}}`، لملئها لاحقاً عند استخدام النص البرمجي.",
"com_ui_version_var": "الإصدار {{0}}",
"com_ui_versions": "الإصدارات",
"com_ui_yes": "نعم",
"com_ui_zoom": "تكبير",
"com_user_message": "أنت",
"com_warning_resubmit_unsupported": "إعادة إرسال رسالة الذكاء الاصطناعي غير مدعومة لنقطة النهاية هذه"
}

View file

@ -0,0 +1,873 @@
{
"chat_direction_left_to_right": "Cal afegir alguna cosa aquí. Estava buit",
"chat_direction_right_to_left": "Cal afegir alguna cosa aquí. Estava buit",
"com_a11y_ai_composing": "La IA encara està escrivint.",
"com_a11y_end": "La IA ha acabat la seva resposta.",
"com_a11y_start": "La IA ha començat la seva resposta.",
"com_agents_allow_editing": "Permet que altres usuaris editin el teu agent",
"com_agents_by_librechat": "per LibreChat",
"com_agents_code_interpreter": "Quan està habilitat, permet que el teu agent utilitzi la API de l'Intèrpret de Codi de LibreChat per executar codi generat, incloent-hi el processament de fitxers, de forma segura. Es requereix una clau API vàlida.",
"com_agents_code_interpreter_title": "API d'Intèrpret de Codi",
"com_agents_create_error": "S'ha produït un error en crear el teu agent.",
"com_agents_description_placeholder": "Opcional: Descriu el teu Agent aquí",
"com_agents_enable_file_search": "Habilita la Cerca de Fitxers",
"com_agents_file_context": "Context de Fitxer (OCR)",
"com_agents_file_context_disabled": "Cal crear l'agent abans de pujar fitxers per al Context de Fitxer.",
"com_agents_file_context_info": "Els fitxers pujats com a \"Context\" es processen amb OCR per extreure'n el text, que s'afegeix a les instruccions de l'Agent. Ideal per a documents, imatges amb text o PDFs on cal el contingut complet del fitxer.",
"com_agents_file_search_disabled": "Cal crear l'agent abans de pujar fitxers per a la Cerca de Fitxers.",
"com_agents_file_search_info": "Quan està habilitat, l'agent serà informat dels noms exactes dels fitxers llistats a continuació, i podrà recuperar-ne el context rellevant.",
"com_agents_instructions_placeholder": "Les instruccions de sistema que utilitza l'agent",
"com_agents_missing_provider_model": "Selecciona un proveïdor i un model abans de crear un agent.",
"com_agents_name_placeholder": "Opcional: El nom de l'agent",
"com_agents_no_access": "No tens accés per editar aquest agent.",
"com_agents_not_available": "Agent no disponible",
"com_agents_search_name": "Cerca agents per nom",
"com_agents_update_error": "S'ha produït un error en actualitzar el teu agent.",
"com_assistants_action_attempt": "L'assistent vol parlar amb {{0}}",
"com_assistants_actions": "Accions",
"com_assistants_actions_disabled": "Cal crear un assistent abans d'afegir accions.",
"com_assistants_actions_info": "Permet que el teu Assistent recuperi informació o realitzi accions via API",
"com_assistants_add_actions": "Afegeix Accions",
"com_assistants_add_tools": "Afegeix Eines",
"com_assistants_allow_sites_you_trust": "Permet només llocs de confiança.",
"com_assistants_append_date": "Afegeix Data i Hora Actuals",
"com_assistants_append_date_tooltip": "Quan està habilitat, la data i hora actuals s'afegiran a les instruccions de sistema de l'assistent.",
"com_assistants_attempt_info": "L'assistent vol enviar el següent:",
"com_assistants_available_actions": "Accions disponibles",
"com_assistants_capabilities": "Capacitats",
"com_assistants_code_interpreter": "Intèrpret de Codi",
"com_assistants_code_interpreter_files": "Els fitxers següents són només per a l'Intèrpret de Codi:",
"com_assistants_code_interpreter_info": "L'Intèrpret de Codi permet a l'assistent escriure i executar codi. Aquesta eina pot processar fitxers amb dades i formats diversos, i generar fitxers com gràfics.",
"com_assistants_completed_action": "Ha parlat amb {{0}}",
"com_assistants_completed_function": "Ha executat {{0}}",
"com_assistants_conversation_starters": "Inicis de conversa",
"com_assistants_conversation_starters_placeholder": "Introdueix un inici de conversa",
"com_assistants_create_error": "S'ha produït un error en crear el teu assistent.",
"com_assistants_create_success": "Creat amb èxit",
"com_assistants_delete_actions_error": "S'ha produït un error en eliminar l'acció.",
"com_assistants_delete_actions_success": "Acció eliminada de l'Assistent amb èxit",
"com_assistants_description_placeholder": "Opcional: Descriu el teu Assistent aquí",
"com_assistants_domain_info": "L'assistent ha enviat aquesta informació a {{0}}",
"com_assistants_file_search": "Cerca de fitxers",
"com_assistants_file_search_info": "La cerca de fitxers permet a l'assistent accedir al coneixement dels fitxers que tu o els teus usuaris pugeu. Un cop pujat un fitxer, l'assistent decideix automàticament quan recuperar-ne contingut segons les peticions de l'usuari. Encara no es dóna suport a la vinculació de magatzems vectorials per a la Cerca de Fitxers. Pots adjuntar-los des del Provider Playground o adjuntar fitxers als missatges per a la cerca de fitxers per fils.",
"com_assistants_function_use": "L'assistent ha utilitzat {{0}}",
"com_assistants_image_vision": "Visió d'Imatges",
"com_assistants_instructions_placeholder": "Les instruccions de sistema que utilitza l'assistent",
"com_assistants_knowledge": "Coneixement",
"com_assistants_knowledge_disabled": "Cal crear l'assistent i habilitar i desar l'Intèrpret de Codi o la Recuperació abans de pujar fitxers com a Coneixement.",
"com_assistants_knowledge_info": "Si puges fitxers sota Coneixement, les converses amb el teu Assistent poden incloure el contingut dels fitxers.",
"com_assistants_max_starters_reached": "S'ha arribat al màxim d'inicis de conversa",
"com_assistants_name_placeholder": "Opcional: El nom de l'assistent",
"com_assistants_non_retrieval_model": "La cerca de fitxers no està habilitada en aquest model. Selecciona un altre model.",
"com_assistants_retrieval": "Recuperació",
"com_assistants_running_action": "Executant acció",
"com_assistants_search_name": "Cerca assistents per nom",
"com_assistants_update_actions_error": "S'ha produït un error en crear o actualitzar l'acció.",
"com_assistants_update_actions_success": "Acció creada o actualitzada amb èxit",
"com_assistants_update_error": "S'ha produït un error en actualitzar el teu assistent.",
"com_assistants_update_success": "Actualitzat amb èxit",
"com_auth_already_have_account": "Ja tens un compte?",
"com_auth_apple_login": "Inicia sessió amb Apple",
"com_auth_back_to_login": "Torna a l'inici de sessió",
"com_auth_click": "Fes clic",
"com_auth_click_here": "Fes clic aquí",
"com_auth_continue": "Continua",
"com_auth_create_account": "Crea el teu compte",
"com_auth_discord_login": "Continua amb Discord",
"com_auth_email": "Correu electrònic",
"com_auth_email_address": "Adreça de correu electrònic",
"com_auth_email_max_length": "El correu electrònic no pot tenir més de 120 caràcters",
"com_auth_email_min_length": "El correu electrònic ha de tenir almenys 6 caràcters",
"com_auth_email_pattern": "Has d'introduir una adreça de correu electrònic vàlida",
"com_auth_email_required": "El correu electrònic és obligatori",
"com_auth_email_resend_link": "Reenvia el correu electrònic",
"com_auth_email_resent_failed": "No s'ha pogut reenviar el correu de verificació",
"com_auth_email_resent_success": "El correu de verificació s'ha reenviat correctament",
"com_auth_email_verification_failed": "La verificació del correu ha fallat",
"com_auth_email_verification_failed_token_missing": "Verificació fallida, falta el testimoni",
"com_auth_email_verification_in_progress": "S'està verificant el teu correu electrònic, espera si us plau",
"com_auth_email_verification_invalid": "Verificació de correu electrònic no vàlida",
"com_auth_email_verification_redirecting": "Redirigint en {{0}} segons...",
"com_auth_email_verification_resend_prompt": "No has rebut el correu?",
"com_auth_email_verification_success": "Correu electrònic verificat correctament",
"com_auth_email_verifying_ellipsis": "Verificant...",
"com_auth_error_create": "S'ha produït un error en intentar registrar el teu compte. Torna-ho a provar.",
"com_auth_error_invalid_reset_token": "Aquest testimoni per restablir la contrasenya ja no és vàlid.",
"com_auth_error_login": "No s'ha pogut iniciar sessió amb la informació proporcionada. Comprova les teves credencials i torna-ho a provar.",
"com_auth_error_login_ban": "El teu compte ha estat temporalment suspès per violacions del nostre servei.",
"com_auth_error_login_rl": "Massa intents d'inici de sessió en poc temps. Torna-ho a provar més tard.",
"com_auth_error_login_server": "S'ha produït un error intern al servidor. Espera uns moments i torna-ho a provar.",
"com_auth_error_login_unverified": "El teu compte no ha estat verificat. Comprova el teu correu per un enllaç de verificació.",
"com_auth_facebook_login": "Continua amb Facebook",
"com_auth_full_name": "Nom complet",
"com_auth_github_login": "Continua amb Github",
"com_auth_google_login": "Continua amb Google",
"com_auth_here": "AQUÍ",
"com_auth_login": "Inicia sessió",
"com_auth_login_with_new_password": "Ara pots iniciar sessió amb la nova contrasenya.",
"com_auth_name_max_length": "El nom ha de tenir menys de 80 caràcters",
"com_auth_name_min_length": "El nom ha de tenir almenys 3 caràcters",
"com_auth_name_required": "El nom és obligatori",
"com_auth_no_account": "No tens compte?",
"com_auth_password": "Contrasenya",
"com_auth_password_confirm": "Confirma la contrasenya",
"com_auth_password_forgot": "Has oblidat la contrasenya?",
"com_auth_password_max_length": "La contrasenya ha de tenir menys de 128 caràcters",
"com_auth_password_min_length": "La contrasenya ha de tenir almenys 8 caràcters",
"com_auth_password_not_match": "Les contrasenyes no coincideixen",
"com_auth_password_required": "La contrasenya és obligatòria",
"com_auth_registration_success_generic": "Revisa el teu correu electrònic per verificar l'adreça.",
"com_auth_registration_success_insecure": "Registre completat amb èxit.",
"com_auth_reset_password": "Restableix la contrasenya",
"com_auth_reset_password_if_email_exists": "Si existeix un compte amb aquest correu, s'ha enviat un correu amb instruccions per restablir la contrasenya. Comprova la carpeta de correu brossa.",
"com_auth_reset_password_link_sent": "Correu enviat",
"com_auth_reset_password_success": "Contrasenya restablerta amb èxit",
"com_auth_sign_in": "Inicia sessió",
"com_auth_sign_up": "Registra't",
"com_auth_submit_registration": "Envia el registre",
"com_auth_to_reset_your_password": "per restablir la teva contrasenya.",
"com_auth_to_try_again": "per tornar-ho a provar.",
"com_auth_two_factor": "Comprova la teva aplicació de contrasenya d'un sol ús per un codi",
"com_auth_username": "Nom d'usuari (opcional)",
"com_auth_username_max_length": "El nom d'usuari ha de tenir menys de 20 caràcters",
"com_auth_username_min_length": "El nom d'usuari ha de tenir almenys 2 caràcters",
"com_auth_verify_your_identity": "Verifica la teva identitat",
"com_auth_welcome_back": "Benvingut/da de nou",
"com_click_to_download": "(fes clic aquí per descarregar)",
"com_download_expired": "(descàrrega caducada)",
"com_download_expires": "(fes clic aquí per descarregar - caduca en {{0}})",
"com_endpoint": "Extrem",
"com_endpoint_agent": "Agent",
"com_endpoint_agent_model": "Model d'Agent (Recomanat: GPT-3.5)",
"com_endpoint_agent_placeholder": "Selecciona un agent",
"com_endpoint_ai": "IA",
"com_endpoint_anthropic_maxoutputtokens": "Nombre màxim de tokens que es poden generar en la resposta. Especifica un valor més baix per a respostes més curtes i un de més alt per a respostes més llargues. Nota: els models poden aturar-se abans d'arribar a aquest màxim.",
"com_endpoint_anthropic_prompt_cache": "La memòria cau de prompt permet reutilitzar contextos o instruccions grans entre trucades d'API, reduint costos i latència",
"com_endpoint_anthropic_temp": "Oscil·la entre 0 i 1. Utilitza valors propers a 0 per a respostes analítiques o de tipus test, i propers a 1 per a tasques creatives i generatives. Recomanem modificar això o Top P però no ambdós.",
"com_endpoint_anthropic_thinking": "Habilita el raonament intern per a models Claude compatibles (3.7 Sonnet). Nota: cal definir \"Thinking Budget\" i que sigui inferior a \"Max Output Tokens\".",
"com_endpoint_anthropic_thinking_budget": "Determina el nombre màxim de tokens que Claude pot utilitzar per al seu raonament intern. Pressupostos més grans poden millorar la qualitat de la resposta permetent una anàlisi més exhaustiva per a problemes complexos, encara que Claude pot no utilitzar tot el pressupost assignat, especialment per sobre de 32K. Aquesta configuració ha de ser inferior a \"Max Output Tokens\".",
"com_endpoint_anthropic_topk": "El paràmetre Top-k canvia com el model selecciona els tokens de sortida. Un top-k d'1 significa que es selecciona el token més probable entre tots els tokens del vocabulari del model (també conegut com decodificació avariciosa), mentre que un top-k de 3 significa que el següent token es selecciona entre els 3 més probables (usant la temperatura).",
"com_endpoint_anthropic_topp": "Top-p canvia com el model selecciona els tokens de sortida. Els tokens es seleccionen des dels més probables (veure paràmetre topK) fins als menys, fins que la suma de les seves probabilitats arriba al valor de top-p.",
"com_endpoint_assistant": "Assistent",
"com_endpoint_assistant_model": "Model d'Assistent",
"com_endpoint_assistant_placeholder": "Selecciona un Assistent al panell lateral dret",
"com_endpoint_completion": "Compleció",
"com_endpoint_completion_model": "Model de Compleció (Recomanat: GPT-4)",
"com_endpoint_config_click_here": "Fes clic aquí",
"com_endpoint_config_google_api_info": "Per obtenir la teva clau API de Llenguatge Generatiu (per Gemini),",
"com_endpoint_config_google_api_key": "Clau API de Google",
"com_endpoint_config_google_cloud_platform": "(de Google Cloud Platform)",
"com_endpoint_config_google_gemini_api": "(API Gemini)",
"com_endpoint_config_google_service_key": "Clau de Compte de Servei de Google",
"com_endpoint_config_key": "Defineix la clau API",
"com_endpoint_config_key_encryption": "La teva clau serà xifrada i esborrada a",
"com_endpoint_config_key_for": "Defineix clau API per a",
"com_endpoint_config_key_google_need_to": "Cal que",
"com_endpoint_config_key_google_service_account": "Creïs un Compte de Servei",
"com_endpoint_config_key_google_vertex_ai": "Habilitis Vertex AI",
"com_endpoint_config_key_google_vertex_api": "API a Google Cloud, després",
"com_endpoint_config_key_google_vertex_api_role": "Assegura't de clicar 'Crea i Continua' per donar com a mínim el rol 'Vertex AI User'. Finalment, crea una clau JSON per importar aquí.",
"com_endpoint_config_key_import_json_key": "Importa la clau JSON de Compte de Servei.",
"com_endpoint_config_key_import_json_key_invalid": "Clau JSON de Compte de Servei no vàlida. Has importat el fitxer correcte?",
"com_endpoint_config_key_import_json_key_success": "Clau JSON de Compte de Servei importada amb èxit",
"com_endpoint_config_key_name": "Clau",
"com_endpoint_config_key_never_expires": "La teva clau no caducarà mai",
"com_endpoint_config_placeholder": "Configura la teva clau al menú superior per xatejar.",
"com_endpoint_config_value": "Introdueix el valor per a",
"com_endpoint_context": "Context",
"com_endpoint_context_info": "El nombre màxim de tokens que es poden utilitzar per context. Serveix per controlar quants tokens s'envien per petició. Si no s'especifica, es fan servir els valors per defecte del sistema segons la mida de context dels models coneguts. Valors alts poden causar errors i/o més cost de tokens.",
"com_endpoint_context_tokens": "Màxim de tokens de context",
"com_endpoint_custom_name": "Nom personalitzat",
"com_endpoint_default": "per defecte",
"com_endpoint_default_blank": "per defecte: buit",
"com_endpoint_default_empty": "per defecte: buit",
"com_endpoint_default_with_num": "per defecte: {{0}}",
"com_endpoint_deprecated": "Desfasat",
"com_endpoint_deprecated_info": "Aquest endpoint està desfasat i podria ser eliminat en futures versions, utilitza l'endpoint d'agent",
"com_endpoint_deprecated_info_a11y": "L'endpoint de plugin està desfasat i podria ser eliminat en futures versions, utilitza l'endpoint d'agent",
"com_endpoint_examples": "Predefinits",
"com_endpoint_export": "Exporta",
"com_endpoint_export_share": "Exporta/Comparteix",
"com_endpoint_frequency_penalty": "Penalització de freqüència",
"com_endpoint_func_hover": "Habilita l'ús de Plugins com a Funcions OpenAI",
"com_endpoint_google_custom_name_placeholder": "Defineix un nom personalitzat per a Google",
"com_endpoint_google_maxoutputtokens": "Nombre màxim de tokens generats a la resposta. Utilitza un valor baix per respostes curtes i un d'alt per llargues. Nota: els models poden aturar-se abans d'arribar al màxim.",
"com_endpoint_google_temp": "Valors alts = més aleatori, valors baixos = més enfocat i determinista. Recomanem modificar això o Top P però no ambdós.",
"com_endpoint_google_topk": "Top-k canvia com el model selecciona els tokens de sortida. Top-k d'1 selecciona el més probable, top-k de 3 selecciona entre els 3 més probables (amb temperatura).",
"com_endpoint_google_topp": "Top-p canvia com el model selecciona els tokens de sortida. Es seleccionen tokens del més probable fins que la suma de probabilitats arriba a top-p.",
"com_endpoint_instructions_assistants": "Sobreescriu instruccions",
"com_endpoint_instructions_assistants_placeholder": "Sobreescriu les instruccions de l'assistent. Útil per modificar el comportament en cada execució.",
"com_endpoint_max_output_tokens": "Màxim de tokens de sortida",
"com_endpoint_message": "Missatge",
"com_endpoint_message_new": "Missatge {{0}}",
"com_endpoint_message_not_appendable": "Edita el teu missatge o Regenera.",
"com_endpoint_my_preset": "El meu predefinit",
"com_endpoint_no_presets": "Encara no hi ha predefinits, utilitza el botó de configuració per crear-ne un",
"com_endpoint_open_menu": "Obre el menú",
"com_endpoint_openai_custom_name_placeholder": "Defineix un nom personalitzat per a la IA",
"com_endpoint_openai_detail": "La resolució per a sol·licituds de Visió. \"Baixa\" és més barata i ràpida, \"Alta\" és més detallada i cara, i \"Auto\" triarà automàticament segons la resolució de la imatge.",
"com_endpoint_openai_freq": "Nombre entre -2.0 i 2.0. Valors positius penalitzen nous tokens segons la seva freqüència al text fins ara, reduint la probabilitat que el model repeteixi la mateixa línia literalment.",
"com_endpoint_openai_max": "El màxim de tokens a generar. La llargada total dels tokens d'entrada i generats està limitada per la mida de context del model.",
"com_endpoint_openai_max_tokens": "Camp opcional 'max_tokens', que representa el nombre màxim de tokens que es poden generar a la resposta del xat. La llargada total dels tokens d'entrada i sortida està limitada per la mida de context del model. Pots experimentar errors si aquest nombre supera el màxim de tokens de context.",
"com_endpoint_openai_pres": "Nombre entre -2.0 i 2.0. Valors positius penalitzen nous tokens si ja han aparegut, augmentant la probabilitat que el model tracti temes nous.",
"com_endpoint_openai_prompt_prefix_placeholder": "Defineix instruccions personalitzades per incloure al Missatge de Sistema. Per defecte: cap",
"com_endpoint_openai_reasoning_effort": "Només models o1 i o3: limita l'esforç de raonament per a models de raonament. Reduir l'esforç pot donar respostes més ràpides i consumir menys tokens en raonament.",
"com_endpoint_openai_resend": "Reenvia totes les imatges adjuntades anteriorment. Nota: això pot augmentar molt el cost de tokens i pot causar errors si n'hi ha moltes.",
"com_endpoint_openai_resend_files": "Reenvia tots els fitxers adjuntats anteriorment. Nota: això augmentarà el cost de tokens i pot causar errors si n'hi ha molts.",
"com_endpoint_openai_stop": "Fins a 4 seqüències on l'API aturarà la generació de tokens.",
"com_endpoint_openai_temp": "Valors alts = més aleatori, valors baixos = més enfocat i determinista. Recomanem modificar això o Top P però no ambdós.",
"com_endpoint_openai_topp": "Una alternativa al sampling amb temperatura, anomenada nucleus sampling, on el model considera els tokens amb una massa de probabilitat top_p. Amb 0.1 només es consideren els tokens que sumen el 10% de la probabilitat total. Recomanem modificar això o la temperatura però no ambdós.",
"com_endpoint_output": "Sortida",
"com_endpoint_plug_image_detail": "Detall de la imatge",
"com_endpoint_plug_resend_files": "Reenvia fitxers",
"com_endpoint_plug_set_custom_instructions_for_gpt_placeholder": "Defineix instruccions personalitzades per incloure al Missatge de Sistema. Per defecte: cap",
"com_endpoint_plug_skip_completion": "Omet la compleció",
"com_endpoint_plug_use_functions": "Utilitza funcions",
"com_endpoint_presence_penalty": "Penalització de presència",
"com_endpoint_preset": "predefinit",
"com_endpoint_preset_custom_name_placeholder": "Cal afegir alguna cosa aquí. Estava buit",
"com_endpoint_preset_default": "ara és el predefinit per defecte.",
"com_endpoint_preset_default_item": "Per defecte:",
"com_endpoint_preset_default_none": "No hi ha cap predefinit actiu.",
"com_endpoint_preset_default_removed": "ja no és el predefinit per defecte.",
"com_endpoint_preset_delete_confirm": "Segur que vols eliminar aquest predefinit?",
"com_endpoint_preset_delete_error": "S'ha produït un error en eliminar el teu predefinit. Torna-ho a provar.",
"com_endpoint_preset_import": "Predefinit importat!",
"com_endpoint_preset_import_error": "S'ha produït un error en importar el teu predefinit. Torna-ho a provar.",
"com_endpoint_preset_name": "Nom del predefinit",
"com_endpoint_preset_save_error": "S'ha produït un error en desar el teu predefinit. Torna-ho a provar.",
"com_endpoint_preset_selected": "Predefinit actiu!",
"com_endpoint_preset_selected_title": "Actiu!",
"com_endpoint_preset_title": "Predefinit",
"com_endpoint_presets": "predefinits",
"com_endpoint_presets_clear_warning": "Segur que vols esborrar tots els predefinits? Aquesta acció és irreversible.",
"com_endpoint_prompt_cache": "Utilitza la memòria cau de prompt",
"com_endpoint_prompt_prefix": "Instruccions personalitzades",
"com_endpoint_prompt_prefix_assistants": "Instruccions addicionals",
"com_endpoint_prompt_prefix_assistants_placeholder": "Defineix instruccions addicionals o context a sobre de les principals de l'Assistent. S'ignora si està buit.",
"com_endpoint_prompt_prefix_placeholder": "Defineix instruccions o context personalitzat. S'ignora si està buit.",
"com_endpoint_reasoning_effort": "Esforç de raonament",
"com_endpoint_save_as_preset": "Desa com a predefinit",
"com_endpoint_search": "Cerca endpoint per nom",
"com_endpoint_search_endpoint_models": "Cerca models de {{0}}...",
"com_endpoint_search_models": "Cerca models...",
"com_endpoint_search_var": "Cerca {{0}}...",
"com_endpoint_set_custom_name": "Defineix un nom personalitzat, per si vols trobar aquest predefinit",
"com_endpoint_skip_hover": "Habilita ometre el pas de compleció, que revisa la resposta final i els passos generats",
"com_endpoint_stop": "Atura seqüències",
"com_endpoint_stop_placeholder": "Separa els valors prement `Enter`",
"com_endpoint_temperature": "Temperatura",
"com_endpoint_thinking": "Pensant",
"com_endpoint_thinking_budget": "Pressupost de pensament",
"com_endpoint_top_k": "Top K",
"com_endpoint_top_p": "Top P",
"com_endpoint_use_active_assistant": "Utilitza l'assistent actiu",
"com_error_expired_user_key": "La clau proporcionada per a {{0}} va caducar el {{1}}. Proporciona una clau nova i torna-ho a provar.",
"com_error_files_dupe": "S'ha detectat un fitxer duplicat.",
"com_error_files_empty": "No es permeten fitxers buits.",
"com_error_files_process": "S'ha produït un error en processar el fitxer.",
"com_error_files_unsupported_capability": "No hi ha capacitats habilitades que admetin aquest tipus de fitxer.",
"com_error_files_upload": "S'ha produït un error en pujar el fitxer.",
"com_error_files_upload_canceled": "La sol·licitud de pujada de fitxer s'ha cancel·lat. Nota: la pujada podria seguir processant-se i s'haurà d'esborrar manualment.",
"com_error_files_validation": "S'ha produït un error en validar el fitxer.",
"com_error_input_length": "La darrera resposta conté massa tokens, supera el límit, o els paràmetres de límit de tokens estan mal configurats i afecten la finestra de context. Més informació: {{0}}. Escurça el missatge, ajusta el màxim de context o divideix la conversa per continuar.",
"com_error_invalid_agent_provider": "El proveïdor \"{{0}}\" no està disponible per a agents. Ves a la configuració de l'agent i selecciona un proveïdor disponible.",
"com_error_invalid_user_key": "Clau proporcionada no vàlida. Proporciona una clau vàlida i torna-ho a provar.",
"com_error_moderation": "Sembla que el contingut enviat ha estat marcat pel nostre sistema de moderació per no complir les directrius de la comunitat. No podem continuar amb aquest tema concret. Si tens altres preguntes o temes, edita el missatge o crea una conversa nova.",
"com_error_no_base_url": "No s'ha trobat cap URL base. Proporciona'n una i torna-ho a provar.",
"com_error_no_user_key": "No s'ha trobat cap clau. Proporciona'n una i torna-ho a provar.",
"com_files_filter": "Filtra fitxers...",
"com_files_no_results": "Cap resultat.",
"com_files_number_selected": "{{0}} de {{1}} elements seleccionats",
"com_files_table": "Cal afegir alguna cosa aquí. Estava buit",
"com_generated_files": "Fitxers generats:",
"com_hide_examples": "Amaga exemples",
"com_nav_2fa": "Autenticació en dos passos (2FA)",
"com_nav_account_settings": "Configuració del compte",
"com_nav_always_make_prod": "Fes sempre noves versions de producció",
"com_nav_archive_created_at": "Data d'arxivament",
"com_nav_archive_name": "Nom",
"com_nav_archived_chats": "Xats arxivats",
"com_nav_at_command": "@-Comanda",
"com_nav_at_command_description": "Activa o desactiva la comanda \"@\" per canviar d'endpoint, model, predefinit, etc.",
"com_nav_audio_play_error": "Error en reproduir l'àudio: {{0}}",
"com_nav_audio_process_error": "Error en processar l'àudio: {{0}}",
"com_nav_auto_scroll": "Desplaçament automàtic al darrer missatge en obrir el xat",
"com_nav_auto_send_prompts": "Envia automàticament els prompts",
"com_nav_auto_send_text": "Envia text automàticament",
"com_nav_auto_send_text_disabled": "estableix -1 per desactivar",
"com_nav_auto_transcribe_audio": "Transcriu àudio automàticament",
"com_nav_automatic_playback": "Reprodueix automàticament el darrer missatge",
"com_nav_balance": "Balanç",
"com_nav_browser": "Navegador",
"com_nav_center_chat_input": "Centra la entrada del xat a la pantalla de benvinguda",
"com_nav_change_picture": "Canvia la imatge",
"com_nav_chat_commands": "Comandes de xat",
"com_nav_chat_commands_info": "Aquestes comandes s'activen escrivint caràcters específics a l'inici del missatge. Cada comanda es dispara pel seu prefix. Pots desactivar-les si sovint comences missatges amb aquests caràcters.",
"com_nav_chat_direction": "Direcció del xat",
"com_nav_clear_all_chats": "Esborra tots els xats",
"com_nav_clear_cache_confirm_message": "Segur que vols esborrar la memòria cau?",
"com_nav_clear_conversation": "Esborra converses",
"com_nav_clear_conversation_confirm_message": "Segur que vols esborrar totes les converses? Aquesta acció és irreversible.",
"com_nav_close_sidebar": "Tanca la barra lateral",
"com_nav_commands": "Comandes",
"com_nav_confirm_clear": "Confirma l'esborrat",
"com_nav_conversation_mode": "Mode de conversa",
"com_nav_convo_menu_options": "Opcions del menú de conversa",
"com_nav_db_sensitivity": "Sensibilitat de decibels",
"com_nav_delete_account": "Elimina el compte",
"com_nav_delete_account_button": "Elimina permanentment el meu compte",
"com_nav_delete_account_confirm": "Eliminar el compte - segur?",
"com_nav_delete_account_email_placeholder": "Introdueix el teu correu electrònic",
"com_nav_delete_cache_storage": "Esborra la memòria cau de TTS",
"com_nav_delete_data_info": "Totes les teves dades s'eliminaran.",
"com_nav_delete_warning": "AVÍS: Això eliminarà permanentment el teu compte.",
"com_nav_edit_chat_badges": "Edita les insígnies del xat",
"com_nav_enable_cache_tts": "Habilita la memòria cau TTS",
"com_nav_enable_cloud_browser_voice": "Utilitza veus al núvol",
"com_nav_enabled": "Habilitat",
"com_nav_engine": "Motor",
"com_nav_enter_to_send": "Prem Enter per enviar missatges",
"com_nav_export": "Exporta",
"com_nav_export_all_message_branches": "Exporta totes les branques de missatges",
"com_nav_export_conversation": "Exporta la conversa",
"com_nav_export_filename": "Nom del fitxer",
"com_nav_export_filename_placeholder": "Defineix el nom del fitxer",
"com_nav_export_include_endpoint_options": "Inclou opcions d'endpoint",
"com_nav_export_recursive": "Recursiu",
"com_nav_export_recursive_or_sequential": "Recursiu o seqüencial?",
"com_nav_export_type": "Tipus",
"com_nav_external": "Extern",
"com_nav_font_size": "Mida de la lletra del missatge",
"com_nav_font_size_base": "Mitjana",
"com_nav_font_size_lg": "Gran",
"com_nav_font_size_sm": "Petita",
"com_nav_font_size_xl": "Molt gran",
"com_nav_font_size_xs": "Molt petita",
"com_nav_help_faq": "Ajuda i PMF",
"com_nav_hide_panel": "Amaga el panell lateral dret",
"com_nav_info_code_artifacts": "Habilita la visualització d'artifacts de codi experimentals al costat del xat",
"com_nav_info_code_artifacts_agent": "Habilita l'ús d'artifacts de codi per aquest agent. Per defecte, s'afegeixen instruccions addicionals específiques per a l'ús d'artifacts, tret que el \"Mode de prompt personalitzat\" estigui activat.",
"com_nav_info_custom_prompt_mode": "Quan està activat, el prompt per defecte del sistema d'artifacts no s'inclourà. Totes les instruccions per generar artifacts s'han de proporcionar manualment.",
"com_nav_info_enter_to_send": "Quan està habilitat, prémer `ENTER` enviarà el teu missatge. Si està desactivat, Enter afegeix una línia i hauràs de prémer `CTRL + ENTER` o `⌘ + ENTER` per enviar el missatge.",
"com_nav_info_fork_change_default": "`Només missatges visibles` inclou només el camí directe al missatge seleccionat. `Inclou branques relacionades` afegeix branques al llarg del camí. `Inclou tot fins/des d'aquí` inclou tots els missatges i branques connectades.",
"com_nav_info_fork_split_target_setting": "Quan està activat, la bifurcació començarà des del missatge objectiu fins al darrer missatge de la conversa, segons el comportament seleccionat.",
"com_nav_info_include_shadcnui": "Quan està habilitat, s'inclouran instruccions per utilitzar els components shadcn/ui. shadcn/ui és una col·lecció de components reutilitzables fets amb Radix UI i Tailwind CSS. Nota: aquestes instruccions són llargues, només activa-ho si és important informar el LLM dels imports i components correctes. Més informació a: https://ui.shadcn.com/",
"com_nav_info_latex_parsing": "Quan està habilitat, el codi LaTeX als missatges es mostrarà com a equacions matemàtiques. Desactivar-ho pot millorar el rendiment si no necessites LaTeX.",
"com_nav_info_save_badges_state": "Quan està habilitat, l'estat de les insígnies del xat es desarà. Això vol dir que si crees un nou xat, les insígnies es mantindran igual que a l'anterior. Si desactives aquesta opció, les insígnies es reiniciaran cada vegada que creïs un xat nou.",
"com_nav_info_save_draft": "Quan està habilitat, el text i els arxius adjunts que introdueixis al formulari del xat es desaran automàticament localment com a esborranys. Aquests esborranys estaran disponibles fins i tot si recarregues la pàgina o canvies de conversa. Es guarden localment i s'esborren quan envies el missatge.",
"com_nav_info_show_thinking": "Quan està habilitat, el xat mostrarà els desplegables de pensament oberts per defecte, permetent veure el raonament de la IA en temps real. Quan està desactivat, es mantindran tancats per defecte per una interfície més neta.",
"com_nav_info_user_name_display": "Quan està habilitat, el nom d'usuari de l'emissor es mostrarà a sobre de cada missatge teu. Quan està desactivat, només hi veuràs \"Tu\".",
"com_nav_lang_arabic": "Àrab",
"com_nav_lang_auto": "Detecta automàticament",
"com_nav_lang_brazilian_portuguese": "Portuguès brasiler",
"com_nav_lang_catalan": "Català",
"com_nav_lang_chinese": "Xinès",
"com_nav_lang_czech": "Txec",
"com_nav_lang_danish": "Danès",
"com_nav_lang_dutch": "Neerlandès",
"com_nav_lang_english": "Anglès",
"com_nav_lang_estonian": "Estonià",
"com_nav_lang_finnish": "Finès",
"com_nav_lang_french": "Francès",
"com_nav_lang_georgian": "Georgià",
"com_nav_lang_german": "Alemany",
"com_nav_lang_hebrew": "Hebreu",
"com_nav_lang_hungarian": "Hongarès",
"com_nav_lang_indonesia": "Indonesi",
"com_nav_lang_italian": "Italià",
"com_nav_lang_japanese": "Japonès",
"com_nav_lang_korean": "Coreà",
"com_nav_lang_persian": "Persa",
"com_nav_lang_polish": "Polonès",
"com_nav_lang_portuguese": "Portuguès",
"com_nav_lang_russian": "Rus",
"com_nav_lang_spanish": "Espanyol",
"com_nav_lang_swedish": "Suec",
"com_nav_lang_thai": "Tai",
"com_nav_lang_traditional_chinese": "Xinès tradicional",
"com_nav_lang_turkish": "Turc",
"com_nav_lang_vietnamese": "Vietnamita",
"com_nav_language": "Idioma",
"com_nav_latex_parsing": "Interpretació LaTeX als missatges (pot afectar el rendiment)",
"com_nav_log_out": "Tanca sessió",
"com_nav_long_audio_warning": "Els textos llargs trigaran més a processar-se.",
"com_nav_maximize_chat_space": "Maximitza l'espai de xat",
"com_nav_modular_chat": "Permet canviar d'Endpoint durant la conversa",
"com_nav_my_files": "Els meus fitxers",
"com_nav_not_supported": "No compatible",
"com_nav_open_sidebar": "Obre la barra lateral",
"com_nav_playback_rate": "Velocitat de reproducció de l'àudio",
"com_nav_plugin_auth_error": "S'ha produït un error en autenticar el plugin. Torna-ho a provar.",
"com_nav_plugin_install": "Instal·la",
"com_nav_plugin_search": "Cerca plugins",
"com_nav_plugin_store": "Botiga de plugins",
"com_nav_plugin_uninstall": "Desinstal·la",
"com_nav_plus_command": "Comanda +",
"com_nav_plus_command_description": "Activa o desactiva la comanda \"+\" per afegir una configuració multi-resposta",
"com_nav_profile_picture": "Imatge de perfil",
"com_nav_save_badges_state": "Desa l'estat de les insígnies",
"com_nav_save_drafts": "Desa esborranys localment",
"com_nav_scroll_button": "Botó per desplaçar-se fins al final",
"com_nav_search_placeholder": "Cerca missatges",
"com_nav_send_message": "Envia missatge",
"com_nav_setting_account": "Compte",
"com_nav_setting_beta": "Funcionalitats beta",
"com_nav_setting_chat": "Xat",
"com_nav_setting_data": "Controls de dades",
"com_nav_setting_general": "General",
"com_nav_setting_speech": "Veu",
"com_nav_settings": "Configuració",
"com_nav_shared_links": "Enllaços compartits",
"com_nav_show_code": "Mostra sempre el codi quan s'utilitzi l'intèrpret de codi",
"com_nav_show_thinking": "Obre desplegables de pensament per defecte",
"com_nav_slash_command": "/-Comanda",
"com_nav_slash_command_description": "Activa o desactiva la comanda \"/\" per seleccionar un prompt amb el teclat",
"com_nav_speech_to_text": "Veu a text",
"com_nav_stop_generating": "Atura la generació",
"com_nav_text_to_speech": "Text a veu",
"com_nav_theme": "Tema",
"com_nav_theme_dark": "Fosc",
"com_nav_theme_light": "Clar",
"com_nav_theme_system": "Sistema",
"com_nav_tool_dialog": "Eines de l'assistent",
"com_nav_tool_dialog_agents": "Eines de l'agent",
"com_nav_tool_dialog_description": "Cal desar l'assistent per conservar la selecció d'eines.",
"com_nav_tool_remove": "Elimina",
"com_nav_tool_search": "Cerca eines",
"com_nav_user": "USUARI",
"com_nav_user_msg_markdown": "Mostra els missatges d'usuari en markdown",
"com_nav_user_name_display": "Mostra el nom d'usuari als missatges",
"com_nav_voice_select": "Veu",
"com_show_agent_settings": "Mostra la configuració de l'agent",
"com_show_completion_settings": "Mostra la configuració de compleció",
"com_show_examples": "Mostra exemples",
"com_sidepanel_agent_builder": "Constructor d'agents",
"com_sidepanel_assistant_builder": "Constructor d'assistents",
"com_sidepanel_attach_files": "Adjunta fitxers",
"com_sidepanel_conversation_tags": "Adreces d'interès",
"com_sidepanel_hide_panel": "Amaga el panell",
"com_sidepanel_manage_files": "Gestiona fitxers",
"com_sidepanel_parameters": "Paràmetres",
"com_ui_2fa_account_security": "L'autenticació en dos passos afegeix una capa extra de seguretat al teu compte",
"com_ui_2fa_disable": "Desactiva 2FA",
"com_ui_2fa_disable_error": "S'ha produït un error en desactivar l'autenticació en dos passos",
"com_ui_2fa_disabled": "2FA s'ha desactivat",
"com_ui_2fa_enable": "Activa 2FA",
"com_ui_2fa_enabled": "2FA s'ha activat",
"com_ui_2fa_generate_error": "S'ha produït un error en generar la configuració de l'autenticació en dos passos",
"com_ui_2fa_invalid": "Codi d'autenticació en dos passos no vàlid",
"com_ui_2fa_setup": "Configura 2FA",
"com_ui_2fa_verified": "Autenticació en dos passos verificada amb èxit",
"com_ui_accept": "Accepto",
"com_ui_add": "Afegeix",
"com_ui_add_model_preset": "Afegeix un model o predefinit per una resposta addicional",
"com_ui_add_multi_conversation": "Afegeix multi-conversa",
"com_ui_admin": "Administrador",
"com_ui_admin_access_warning": "Desactivar l'accés d'administrador a aquesta funció pot causar problemes inesperats en la interfície que requeriran una actualització. Si es desa, només es pot revertir des de la configuració de la interfície a librechat.yaml, que afecta tots els rols.",
"com_ui_admin_settings": "Configuració d'administrador",
"com_ui_advanced": "Avançat",
"com_ui_advanced_settings": "Configuració avançada",
"com_ui_agent": "Agent",
"com_ui_agent_chain": "Cadena d'agents (mixtura d'agents)",
"com_ui_agent_chain_info": "Permet crear seqüències d'agents. Cada agent pot accedir als resultats dels agents anteriors a la cadena. Basat en l'arquitectura \"Mixture-of-Agents\" on els agents utilitzen els resultats previs com a informació auxiliar.",
"com_ui_agent_chain_max": "Has arribat al màxim de {{0}} agents.",
"com_ui_agent_delete_error": "S'ha produït un error en eliminar l'agent",
"com_ui_agent_deleted": "Agent eliminat amb èxit",
"com_ui_agent_duplicate_error": "S'ha produït un error en duplicar l'agent",
"com_ui_agent_duplicated": "Agent duplicat amb èxit",
"com_ui_agent_editing_allowed": "Altres usuaris ja poden editar aquest agent",
"com_ui_agent_recursion_limit": "Màxim de passos de l'agent",
"com_ui_agent_recursion_limit_info": "Limita quants passos pot fer l'agent en una execució abans de donar una resposta final. Per defecte són 25 passos. Un pas pot ser una petició a la IA o una ronda d'ús d'eina. Per exemple, una interacció bàsica d'eina en requereix 3: petició inicial, ús d'eina i petició de seguiment.",
"com_ui_agent_shared_to_all": "Cal afegir alguna cosa aquí. Estava buit",
"com_ui_agent_var": "Agent {{0}}",
"com_ui_agents": "Agents",
"com_ui_agents_allow_create": "Permet crear agents",
"com_ui_agents_allow_share_global": "Permet compartir agents amb tots els usuaris",
"com_ui_agents_allow_use": "Permet utilitzar agents",
"com_ui_all": "tots",
"com_ui_all_proper": "Tots",
"com_ui_analyzing": "Analitzant",
"com_ui_analyzing_finished": "Anàlisi completat",
"com_ui_api_key": "Clau API",
"com_ui_archive": "Arxiva",
"com_ui_archive_delete_error": "No s'ha pogut eliminar la conversa arxivada",
"com_ui_archive_error": "No s'ha pogut arxivar la conversa",
"com_ui_artifact_click": "Fes clic per obrir",
"com_ui_artifacts": "Artifacts",
"com_ui_artifacts_toggle": "Activa/desactiva la UI d'artifacts",
"com_ui_artifacts_toggle_agent": "Habilita artifacts",
"com_ui_ascending": "Asc",
"com_ui_assistant": "Assistent",
"com_ui_assistant_delete_error": "S'ha produït un error en eliminar l'assistent",
"com_ui_assistant_deleted": "Assistent eliminat amb èxit",
"com_ui_assistants": "Assistents",
"com_ui_assistants_output": "Sortida dels assistents",
"com_ui_attach_error": "No es pot adjuntar el fitxer. Crea o selecciona una conversa, o actualitza la pàgina.",
"com_ui_attach_error_openai": "No es poden adjuntar fitxers d'assistent a altres endpoints",
"com_ui_attach_error_size": "S'ha superat el límit de mida de fitxer per a l'endpoint:",
"com_ui_attach_error_type": "Tipus de fitxer no compatible per a l'endpoint:",
"com_ui_attach_remove": "Elimina fitxer",
"com_ui_attach_warn_endpoint": "Els fitxers que no són d'assistent es poden ignorar si no hi ha una eina compatible",
"com_ui_attachment": "Adjunt",
"com_ui_auth_type": "Tipus d'autenticació",
"com_ui_auth_url": "URL d'autorització",
"com_ui_authentication": "Autenticació",
"com_ui_authentication_type": "Tipus d'autenticació",
"com_ui_avatar": "Avatar",
"com_ui_azure": "Azure",
"com_ui_back_to_chat": "Torna al xat",
"com_ui_back_to_prompts": "Torna als prompts",
"com_ui_backup_codes": "Codis de recuperació",
"com_ui_backup_codes_regenerate_error": "S'ha produït un error en regenerar els codis de recuperació",
"com_ui_backup_codes_regenerated": "Els codis de recuperació s'han regenerat correctament",
"com_ui_basic": "Bàsic",
"com_ui_basic_auth_header": "Capçalera d'autorització bàsica",
"com_ui_bearer": "Bearer",
"com_ui_bookmark_delete_confirm": "Segur que vols eliminar aquest marcador?",
"com_ui_bookmarks": "Marcadors",
"com_ui_bookmarks_add": "Afegeix marcadors",
"com_ui_bookmarks_add_to_conversation": "Afegeix a la conversa actual",
"com_ui_bookmarks_count": "Quantitat",
"com_ui_bookmarks_create_error": "S'ha produït un error en crear el marcador",
"com_ui_bookmarks_create_exists": "Aquest marcador ja existeix",
"com_ui_bookmarks_create_success": "Marcador creat amb èxit",
"com_ui_bookmarks_delete": "Elimina marcador",
"com_ui_bookmarks_delete_error": "S'ha produït un error en eliminar el marcador",
"com_ui_bookmarks_delete_success": "Marcador eliminat amb èxit",
"com_ui_bookmarks_description": "Descripció",
"com_ui_bookmarks_edit": "Edita marcador",
"com_ui_bookmarks_filter": "Filtra marcadors...",
"com_ui_bookmarks_new": "Nou marcador",
"com_ui_bookmarks_title": "Títol",
"com_ui_bookmarks_update_error": "S'ha produït un error en actualitzar el marcador",
"com_ui_bookmarks_update_success": "Marcador actualitzat amb èxit",
"com_ui_bulk_delete_error": "No s'ha pogut eliminar els enllaços compartits",
"com_ui_callback_url": "URL de retorn",
"com_ui_cancel": "Cancel·la",
"com_ui_category": "Categoria",
"com_ui_chat": "Xat",
"com_ui_chat_history": "Historial de xat",
"com_ui_clear": "Neteja",
"com_ui_clear_all": "Neteja-ho tot",
"com_ui_client_id": "ID de client",
"com_ui_client_secret": "Secret de client",
"com_ui_close": "Tanca",
"com_ui_close_menu": "Tanca el menú",
"com_ui_code": "Codi",
"com_ui_collapse_chat": "Redueix el xat",
"com_ui_command_placeholder": "Opcional: Introdueix una comanda pel prompt o es farà servir el nom",
"com_ui_command_usage_placeholder": "Selecciona un prompt per comanda o nom",
"com_ui_complete_setup": "Completa la configuració",
"com_ui_confirm_action": "Confirma l'acció",
"com_ui_confirm_admin_use_change": "Canviar aquesta opció bloquejarà l'accés als administradors, inclòs tu mateix. Segur que vols continuar?",
"com_ui_confirm_change": "Confirma el canvi",
"com_ui_context": "Context",
"com_ui_continue": "Continua",
"com_ui_controls": "Controls",
"com_ui_convo_delete_error": "No s'ha pogut eliminar la conversa",
"com_ui_copied": "Copiat!",
"com_ui_copied_to_clipboard": "Copiat al porta-retalls",
"com_ui_copy_code": "Copia el codi",
"com_ui_copy_link": "Copia l'enllaç",
"com_ui_copy_to_clipboard": "Copia al porta-retalls",
"com_ui_create": "Crea",
"com_ui_create_link": "Crea enllaç",
"com_ui_create_prompt": "Crea prompt",
"com_ui_currently_production": "Actualment en producció",
"com_ui_custom": "Personalitzat",
"com_ui_custom_header_name": "Nom de capçalera personalitzat",
"com_ui_custom_prompt_mode": "Mode de prompt personalitzat",
"com_ui_dashboard": "Tauler",
"com_ui_date": "Data",
"com_ui_date_april": "Abril",
"com_ui_date_august": "Agost",
"com_ui_date_december": "Desembre",
"com_ui_date_february": "Febrer",
"com_ui_date_january": "Gener",
"com_ui_date_july": "Juliol",
"com_ui_date_june": "Juny",
"com_ui_date_march": "Març",
"com_ui_date_may": "Maig",
"com_ui_date_november": "Novembre",
"com_ui_date_october": "Octubre",
"com_ui_date_previous_30_days": "Últims 30 dies",
"com_ui_date_previous_7_days": "Últims 7 dies",
"com_ui_date_september": "Setembre",
"com_ui_date_today": "Avui",
"com_ui_date_yesterday": "Ahir",
"com_ui_decline": "No accepto",
"com_ui_default_post_request": "Per defecte (sol·licitud POST)",
"com_ui_delete": "Elimina",
"com_ui_delete_action": "Elimina acció",
"com_ui_delete_action_confirm": "Segur que vols eliminar aquesta acció?",
"com_ui_delete_agent_confirm": "Segur que vols eliminar aquest agent?",
"com_ui_delete_assistant_confirm": "Segur que vols eliminar aquest Assistent? Aquesta acció no es pot desfer.",
"com_ui_delete_confirm": "Això eliminarà",
"com_ui_delete_confirm_prompt_version_var": "Això eliminarà la versió seleccionada per a \"{{0}}.\" Si no hi ha altres versions, s'eliminarà el prompt.",
"com_ui_delete_conversation": "Vols eliminar el xat?",
"com_ui_delete_prompt": "Vols eliminar el prompt?",
"com_ui_delete_shared_link": "Vols eliminar l'enllaç compartit?",
"com_ui_delete_tool": "Elimina eina",
"com_ui_delete_tool_confirm": "Segur que vols eliminar aquesta eina?",
"com_ui_descending": "Desc",
"com_ui_description": "Descripció",
"com_ui_description_placeholder": "Opcional: Introdueix una descripció per mostrar al prompt",
"com_ui_disabling": "Desactivant...",
"com_ui_download": "Descarrega",
"com_ui_download_artifact": "Descarrega artifact",
"com_ui_download_backup": "Descarrega codis de recuperació",
"com_ui_download_backup_tooltip": "Abans de continuar, descarrega els teus codis de recuperació. Els necessitaràs per recuperar l'accés si perds el dispositiu d'autenticació",
"com_ui_download_error": "Error en descarregar el fitxer. Potser ha estat eliminat.",
"com_ui_drag_drop": "Cal afegir alguna cosa aquí. Estava buit",
"com_ui_dropdown_variables": "Variables desplegables:",
"com_ui_dropdown_variables_info": "Crea menús desplegables personalitzats pels teus prompts: `{{variable_name:opcio1|opcio2|opcio3}}`",
"com_ui_duplicate": "Duplica",
"com_ui_duplication_error": "S'ha produït un error en duplicar la conversa",
"com_ui_duplication_processing": "Duplicant conversa...",
"com_ui_duplication_success": "Conversa duplicada amb èxit",
"com_ui_edit": "Edita",
"com_ui_empty_category": "-",
"com_ui_endpoint": "Extrem",
"com_ui_endpoint_menu": "Menú d'extrem LLM",
"com_ui_enter": "Entra",
"com_ui_enter_api_key": "Introdueix la clau API",
"com_ui_enter_openapi_schema": "Introdueix aquí el teu esquema OpenAPI",
"com_ui_error": "Error",
"com_ui_error_connection": "Error en connectar amb el servidor, prova d'actualitzar la pàgina.",
"com_ui_error_save_admin_settings": "S'ha produït un error en desar la configuració d'administrador.",
"com_ui_examples": "Exemples",
"com_ui_expand_chat": "Expandeix el xat",
"com_ui_export_convo_modal": "Modal d'exportació de conversa",
"com_ui_field_required": "Aquest camp és obligatori",
"com_ui_filter_prompts": "Filtra prompts",
"com_ui_filter_prompts_name": "Filtra prompts per nom",
"com_ui_finance": "Finances",
"com_ui_fork": "Bifurca",
"com_ui_fork_all_target": "Inclou tot fins/des d'aquí",
"com_ui_fork_branches": "Inclou branques relacionades",
"com_ui_fork_change_default": "Opció de bifurcació per defecte",
"com_ui_fork_default": "Utilitza l'opció de bifurcació per defecte",
"com_ui_fork_error": "S'ha produït un error en bifurcar la conversa",
"com_ui_fork_from_message": "Selecciona una opció de bifurcació",
"com_ui_fork_info_1": "Utilitza aquesta configuració per bifurcar missatges amb el comportament desitjat.",
"com_ui_fork_info_2": "Bifurcar\" vol dir crear una conversa nova que comença/acaba en missatges específics de la conversa actual, creant-ne una còpia segons les opcions seleccionades.",
"com_ui_fork_info_3": "El \"missatge objectiu\" és el missatge des d'on s'ha obert aquesta finestra, o si marques \"{{0}}\", el darrer missatge de la conversa.",
"com_ui_fork_info_branches": "Aquesta opció bifurca els missatges visibles i les branques relacionades; és a dir, el camí directe fins al missatge objectiu, incloent les branques pel camí.",
"com_ui_fork_info_button_label": "Mostra informació sobre la bifurcació de converses",
"com_ui_fork_info_remember": "Marca-ho per recordar les opcions seleccionades per a futurs usos, fent més ràpida la bifurcació segons preferències.",
"com_ui_fork_info_start": "Si està seleccionat, la bifurcació començarà des d'aquest missatge fins al darrer de la conversa, segons el comportament escollit.",
"com_ui_fork_info_target": "Aquesta opció bifurca tots els missatges fins al missatge objectiu, incloent-ne els veïns; o sigui, totes les branques de missatges, siguin visibles o no, es veuen incloses.",
"com_ui_fork_info_visible": "Aquesta opció bifurca només els missatges visibles; és a dir, el camí directe al missatge objectiu, sense branques.",
"com_ui_fork_more_details_about": "Mostra informació addicional sobre l'opció de bifurcació \"{{0}}\"",
"com_ui_fork_more_info_options": "Mostra una explicació detallada de totes les opcions de bifurcació i el seu comportament",
"com_ui_fork_processing": "Bifurcant conversa...",
"com_ui_fork_remember": "Recorda",
"com_ui_fork_remember_checked": "La teva selecció es recordarà després d'utilitzar-la. Pots canviar-ho sempre als ajustos.",
"com_ui_fork_split_target": "Comença la bifurcació aquí",
"com_ui_fork_split_target_setting": "Comença la bifurcació des del missatge objectiu per defecte",
"com_ui_fork_success": "Conversa bifurcada amb èxit",
"com_ui_fork_visible": "Només missatges visibles",
"com_ui_generate_backup": "Genera codis de recuperació",
"com_ui_generate_qrcode": "Genera codi QR",
"com_ui_generating": "Generant...",
"com_ui_global_group": "Cal afegir alguna cosa aquí. Estava buit",
"com_ui_go_back": "Torna enrere",
"com_ui_go_to_conversation": "Ves a la conversa",
"com_ui_good_afternoon": "Bona tarda",
"com_ui_good_evening": "Bona nit",
"com_ui_good_morning": "Bon dia",
"com_ui_happy_birthday": "Fa un any que vaig néixer!",
"com_ui_hide_qr": "Amaga el codi QR",
"com_ui_host": "Servidor",
"com_ui_idea": "Idees",
"com_ui_image_gen": "Generació d'imatges",
"com_ui_import": "Importa",
"com_ui_import_conversation_error": "S'ha produït un error en importar les converses",
"com_ui_import_conversation_file_type_error": "Tipus d'importació no compatible",
"com_ui_import_conversation_info": "Importa converses des d'un fitxer JSON",
"com_ui_import_conversation_success": "Converses importades amb èxit",
"com_ui_include_shadcnui": "Inclou instruccions de components shadcn/ui",
"com_ui_include_shadcnui_agent": "Inclou instruccions shadcn/ui",
"com_ui_input": "Entrada",
"com_ui_instructions": "Instruccions",
"com_ui_late_night": "Bona matinada",
"com_ui_latest_footer": "Cada IA per a tothom.",
"com_ui_latest_production_version": "Darrera versió de producció",
"com_ui_latest_version": "Darrera versió",
"com_ui_librechat_code_api_key": "Aconsegueix la teva clau API d'Intèrpret de Codi de LibreChat",
"com_ui_librechat_code_api_subtitle": "Segur. Multiidioma. Fitxers d'entrada/sortida.",
"com_ui_librechat_code_api_title": "Executa codi IA",
"com_ui_loading": "Carregant...",
"com_ui_locked": "Blocat",
"com_ui_logo": "Logotip {{0}}",
"com_ui_manage": "Gestiona",
"com_ui_max_tags": "El màxim permès és {{0}}, s'utilitzen els últims valors.",
"com_ui_mcp_servers": "Servidors MCP",
"com_ui_mention": "Menciona un endpoint, assistent o predefinit per canviar-hi ràpidament",
"com_ui_min_tags": "No es poden eliminar més valors, el mínim requerit és {{0}}.",
"com_ui_misc": "Miscel·lània",
"com_ui_model": "Model",
"com_ui_model_parameters": "Paràmetres del model",
"com_ui_more_info": "Més informació",
"com_ui_my_prompts": "Els meus prompts",
"com_ui_name": "Nom",
"com_ui_new": "Nou",
"com_ui_new_chat": "Nou xat",
"com_ui_new_conversation_title": "Títol de la nova conversa",
"com_ui_next": "Següent",
"com_ui_no": "No",
"com_ui_no_backup_codes": "No hi ha codis de recuperació disponibles. Genera'n de nous",
"com_ui_no_bookmarks": "Sembla que encara no tens marcadors. Fes clic en un xat i afegeix-ne un de nou",
"com_ui_no_category": "Sense categoria",
"com_ui_no_changes": "No hi ha canvis per actualitzar",
"com_ui_no_data": "Cal afegir alguna cosa aquí. Estava buit",
"com_ui_no_terms_content": "No hi ha contingut de termes i condicions per mostrar",
"com_ui_no_valid_items": "Cal afegir alguna cosa aquí. Estava buit",
"com_ui_none": "Cap",
"com_ui_not_used": "No utilitzat",
"com_ui_nothing_found": "No s'ha trobat res",
"com_ui_oauth": "OAuth",
"com_ui_of": "de",
"com_ui_off": "Desactivat",
"com_ui_on": "Activat",
"com_ui_openai": "OpenAI",
"com_ui_page": "Pàgina",
"com_ui_prev": "Anterior",
"com_ui_preview": "Previsualitza",
"com_ui_privacy_policy": "Política de privacitat",
"com_ui_privacy_policy_url": "URL de la política de privacitat",
"com_ui_prompt": "Prompt",
"com_ui_prompt_already_shared_to_all": "Aquest prompt ja es comparteix amb tots els usuaris",
"com_ui_prompt_name": "Nom del prompt",
"com_ui_prompt_name_required": "El nom del prompt és obligatori",
"com_ui_prompt_preview_not_shared": "L'autor no ha permès la col·laboració per aquest prompt.",
"com_ui_prompt_text": "Text",
"com_ui_prompt_text_required": "El text és obligatori",
"com_ui_prompt_update_error": "S'ha produït un error en actualitzar el prompt",
"com_ui_prompts": "Prompts",
"com_ui_prompts_allow_create": "Permet crear prompts",
"com_ui_prompts_allow_share_global": "Permet compartir prompts amb tots els usuaris",
"com_ui_prompts_allow_use": "Permet utilitzar prompts",
"com_ui_provider": "Proveïdor",
"com_ui_read_aloud": "Llegeix en veu alta",
"com_ui_redirecting_to_provider": "Redirigint a {{0}}, espera si us plau...",
"com_ui_refresh_link": "Actualitza l'enllaç",
"com_ui_regenerate": "Regenera",
"com_ui_regenerate_backup": "Regenera codis de recuperació",
"com_ui_regenerating": "Regenerant...",
"com_ui_region": "Regió",
"com_ui_rename": "Reanomena",
"com_ui_rename_conversation": "Reanomena la conversa",
"com_ui_rename_failed": "No s'ha pogut reanomenar la conversa",
"com_ui_rename_prompt": "Reanomena el prompt",
"com_ui_requires_auth": "Requereix autenticació",
"com_ui_reset_var": "Reinicia {{0}}",
"com_ui_result": "Resultat",
"com_ui_revoke": "Revoca",
"com_ui_revoke_info": "Revoca totes les credencials d'usuari proporcionades",
"com_ui_revoke_key_confirm": "Segur que vols revocar aquesta clau?",
"com_ui_revoke_key_endpoint": "Revoca la clau per a {{0}}",
"com_ui_revoke_keys": "Revoca claus",
"com_ui_revoke_keys_confirm": "Segur que vols revocar totes les claus?",
"com_ui_role_select": "Rol",
"com_ui_roleplay": "Rol",
"com_ui_run_code": "Executa codi",
"com_ui_run_code_error": "S'ha produït un error en executar el codi",
"com_ui_save": "Desa",
"com_ui_save_badge_changes": "Desar canvis d'insígnia?",
"com_ui_save_submit": "Desa i envia",
"com_ui_saved": "Desat!",
"com_ui_schema": "Esquema",
"com_ui_scope": "Abast",
"com_ui_search": "Cerca",
"com_ui_secret_key": "Clau secreta",
"com_ui_select": "Selecciona",
"com_ui_select_file": "Selecciona un fitxer",
"com_ui_select_model": "Selecciona un model",
"com_ui_select_provider": "Selecciona un proveïdor",
"com_ui_select_provider_first": "Selecciona primer un proveïdor",
"com_ui_select_region": "Selecciona una regió",
"com_ui_select_search_model": "Cerca model per nom",
"com_ui_select_search_plugin": "Cerca plugin per nom",
"com_ui_select_search_provider": "Cerca proveïdor per nom",
"com_ui_select_search_region": "Cerca regió per nom",
"com_ui_share": "Comparteix",
"com_ui_share_create_message": "El teu nom i qualsevol missatge afegit després de compartir romanen privats.",
"com_ui_share_delete_error": "S'ha produït un error en eliminar l'enllaç compartit",
"com_ui_share_error": "S'ha produït un error en compartir l'enllaç del xat",
"com_ui_share_form_description": "Cal afegir alguna cosa aquí. Estava buit",
"com_ui_share_link_to_chat": "Comparteix enllaç al xat",
"com_ui_share_to_all_users": "Comparteix amb tots els usuaris",
"com_ui_share_update_message": "El teu nom, instruccions personalitzades i missatges afegits després de compartir es mantenen privats.",
"com_ui_share_var": "Comparteix {{0}}",
"com_ui_shared_link_bulk_delete_success": "Enllaços compartits eliminats amb èxit",
"com_ui_shared_link_delete_success": "Enllaç compartit eliminat amb èxit",
"com_ui_shared_link_not_found": "Enllaç compartit no trobat",
"com_ui_shared_prompts": "Prompts compartits",
"com_ui_shop": "Compres",
"com_ui_show": "Mostra",
"com_ui_show_all": "Mostra-ho tot",
"com_ui_show_qr": "Mostra el codi QR",
"com_ui_sign_in_to_domain": "Inicia sessió a {{0}}",
"com_ui_simple": "Simple",
"com_ui_size": "Mida",
"com_ui_special_var_current_date": "Data actual",
"com_ui_special_var_current_datetime": "Data i hora actuals",
"com_ui_special_var_current_user": "Usuari actual",
"com_ui_special_var_iso_datetime": "Data i hora ISO UTC",
"com_ui_special_variables": "Variables especials:",
"com_ui_special_variables_more_info": "Pots seleccionar variables especials al desplegable: `{{current_date}}` (data i dia de la setmana d'avui), `{{current_datetime}}` (data i hora locals), `{{utc_iso_datetime}}` (data i hora ISO UTC), i `{{current_user}}` (nom del teu compte).",
"com_ui_speech_while_submitting": "No es pot enviar veu mentre s'està generant una resposta",
"com_ui_sr_actions_menu": "Obre el menú d'accions per a \"{{0}}\"",
"com_ui_stop": "Atura",
"com_ui_storage": "Emmagatzematge",
"com_ui_submit": "Envia",
"com_ui_teach_or_explain": "Aprenentatge",
"com_ui_temporary": "Xat temporal",
"com_ui_terms_and_conditions": "Termes i condicions",
"com_ui_terms_of_service": "Condicions del servei",
"com_ui_thinking": "Pensant...",
"com_ui_thoughts": "Pensaments",
"com_ui_token_exchange_method": "Mètode d'intercanvi de token",
"com_ui_token_url": "URL del token",
"com_ui_tools": "Eines",
"com_ui_travel": "Viatges",
"com_ui_unarchive": "Desarxiva",
"com_ui_unarchive_error": "No s'ha pogut desarxivar la conversa",
"com_ui_unknown": "Desconegut",
"com_ui_untitled": "Sense títol",
"com_ui_update": "Actualitza",
"com_ui_upload": "Puja",
"com_ui_upload_code_files": "Puja per a l'Intèrpret de Codi",
"com_ui_upload_delay": "La pujada de \"{{0}}\" triga més del previst. Espera mentre el fitxer acaba d'indexar-se per a la recuperació.",
"com_ui_upload_error": "S'ha produït un error en pujar el teu fitxer",
"com_ui_upload_file_context": "Puja context de fitxer",
"com_ui_upload_file_search": "Puja per a cerca de fitxers",
"com_ui_upload_files": "Puja fitxers",
"com_ui_upload_image": "Puja una imatge",
"com_ui_upload_image_input": "Puja imatge",
"com_ui_upload_invalid": "Fitxer no vàlid. Ha de ser una imatge dins el límit",
"com_ui_upload_invalid_var": "Fitxer no vàlid. Ha de ser una imatge que no superi {{0}} MB",
"com_ui_upload_ocr_text": "Puja com a text",
"com_ui_upload_success": "Fitxer pujat amb èxit",
"com_ui_upload_type": "Selecciona tipus de pujada",
"com_ui_use_2fa_code": "Utilitza codi 2FA",
"com_ui_use_backup_code": "Utilitza codi de recuperació",
"com_ui_use_micrphone": "Utilitza el micròfon",
"com_ui_use_prompt": "Utilitza prompt",
"com_ui_used": "Utilitzat",
"com_ui_variables": "Variables",
"com_ui_variables_info": "Utilitza claus dobles per crear variables, per ex. `{{exemple variable}}`, per omplir-les quan utilitzis el prompt.",
"com_ui_verify": "Verifica",
"com_ui_version_var": "Versió {{0}}",
"com_ui_versions": "Versions",
"com_ui_view_source": "Mostra el xat original",
"com_ui_weekend_morning": "Bon cap de setmana",
"com_ui_write": "Escriptura",
"com_ui_x_selected": "{{0}} seleccionats",
"com_ui_yes": "Sí",
"com_ui_zoom": "Zoom",
"com_user_message": "Tu",
"com_warning_resubmit_unsupported": "Tornar a enviar el missatge de la IA no està suportat per aquest endpoint."
}

View file

@ -0,0 +1,725 @@
{
"chat_direction_right_to_left": "něco sem musí přijít. bylo prázdné",
"com_a11y_ai_composing": "AI stále tvoří odpověď.",
"com_a11y_end": "AI dokončila svou odpověď.",
"com_a11y_start": "AI začala tvořit odpověď.",
"com_agents_allow_editing": "Povolit ostatním uživatelům upravovat vašeho agenta",
"com_agents_by_librechat": "od LibreChat",
"com_agents_code_interpreter": "Při povolení může váš agent využívat LibreChat Code Interpreter API ke spuštění generovaného kódu, včetně zpracování souborů, bezpečně. Vyžaduje platný API klíč.",
"com_agents_code_interpreter_title": "API pro interpretaci kódu",
"com_agents_create_error": "Při vytváření agenta došlo k chybě.",
"com_agents_description_placeholder": "Volitelné: Popište zde svého agenta",
"com_agents_enable_file_search": "Povolit vyhledávání souborů",
"com_agents_file_search_disabled": "Než nahrajete soubory pro vyhledávání, musíte vytvořit agenta.",
"com_agents_file_search_info": "Při povolení bude agent informován o přesných názvech souborů uvedených níže, což mu umožní získat relevantní kontext z těchto souborů.",
"com_agents_instructions_placeholder": "Systémové instrukce, které agent používá",
"com_agents_missing_provider_model": "Před vytvořením agenta vyberte poskytovatele a model.",
"com_agents_name_placeholder": "Volitelné: Název agenta",
"com_agents_no_access": "Nemáte oprávnění upravovat tohoto agenta.",
"com_agents_not_available": "Agent není k dispozici",
"com_agents_search_name": "Hledat agenty podle jména",
"com_agents_update_error": "Při aktualizaci agenta došlo k chybě.",
"com_assistants_action_attempt": "Asistent se chce spojit s {{0}}",
"com_assistants_actions": "Akce",
"com_assistants_actions_disabled": "Než přidáte akce, musíte vytvořit asistenta.",
"com_assistants_actions_info": "Umožněte asistentovi získávat informace nebo provádět akce přes API",
"com_assistants_add_actions": "Přidat akce",
"com_assistants_add_tools": "Přidat nástroje",
"com_assistants_allow_sites_you_trust": "Povolte pouze weby, kterým důvěřujete.",
"com_assistants_append_date": "Připojit aktuální datum a čas",
"com_assistants_append_date_tooltip": "Při povolení se k systémovým instrukcím asistenta připojí aktuální datum a čas klienta.",
"com_assistants_attempt_info": "Asistent chce odeslat následující:",
"com_assistants_available_actions": "Dostupné akce",
"com_assistants_capabilities": "Schopnosti",
"com_assistants_code_interpreter": "Interpret kódu",
"com_assistants_code_interpreter_files": "Soubory níže jsou určeny pouze pro interpret kódu:",
"com_assistants_code_interpreter_info": "Interpret kódu umožňuje asistentovi psát a spouštět kód. Tento nástroj dokáže zpracovat soubory s různými daty a formáty a generovat soubory, například grafy.",
"com_assistants_completed_action": "Spojil se s {{0}}",
"com_assistants_completed_function": "Spustil {{0}}",
"com_assistants_conversation_starters": "Témata konverzace",
"com_assistants_conversation_starters_placeholder": "Zadejte téma konverzace",
"com_assistants_create_error": "Při vytváření asistenta došlo k chybě.",
"com_assistants_create_success": "Úspěšně vytvořeno",
"com_assistants_delete_actions_error": "Při mazání akce došlo k chybě.",
"com_assistants_delete_actions_success": "Akce byla úspěšně odstraněna z asistenta",
"com_assistants_description_placeholder": "Volitelné: Popište zde svého asistenta",
"com_assistants_domain_info": "Asistent poslal tyto informace: {{0}}",
"com_assistants_file_search": "Vyhledávání souborů",
"com_assistants_file_search_info": "Vyhledávání souborů umožňuje asistentovi pracovat se znalostmi z nahraných souborů. Jakmile je soubor nahrán, asistent automaticky rozhodne, kdy získat jeho obsah na základě požadavků uživatelů. Připojování vektorových úložišť pro vyhledávání není zatím podporováno.",
"com_assistants_knowledge": "Znalost",
"com_auth_already_have_account": "Už máte účet?",
"com_auth_apple_login": "Přihlásit se přes Apple",
"com_auth_back_to_login": "Zpět k přihlášení",
"com_auth_click": "Klikněte",
"com_auth_click_here": "Klikněte zde",
"com_auth_continue": "Pokračovat",
"com_auth_create_account": "Vytvořit účet",
"com_auth_discord_login": "Pokračovat přes Discord",
"com_auth_email": "E-mail",
"com_auth_email_address": "E-mailová adresa",
"com_auth_email_verification_invalid": "Neplatné ověření e-mailu",
"com_auth_email_verification_redirecting": "Přesměrování za {{0}} sekund...",
"com_auth_email_verification_resend_prompt": "Nedostali jste e-mail?",
"com_auth_email_verification_success": "E-mail byl úspěšně ověřen",
"com_auth_email_verifying_ellipsis": "Ověřování...",
"com_auth_error_create": "Při registraci účtu došlo k chybě. Zkuste to prosím znovu.",
"com_auth_error_invalid_reset_token": "Tento resetovací token hesla již není platný.",
"com_auth_error_login": "Nelze se přihlásit s poskytnutými údaji. Zkontrolujte své přihlašovací údaje a zkuste to znovu.",
"com_auth_error_login_ban": "Váš účet byl dočasně zablokován kvůli porušení našich pravidel.",
"com_auth_error_login_rl": "Příliš mnoho pokusů o přihlášení v krátkém čase. Zkuste to prosím později.",
"com_auth_error_login_server": "Došlo k interní chybě serveru. Počkejte několik okamžiků a zkuste to znovu.",
"com_auth_error_login_unverified": "Váš účet nebyl ověřen. Zkontrolujte svůj e-mail a najděte ověřovací odkaz.",
"com_auth_facebook_login": "Pokračovat přes Facebook",
"com_auth_full_name": "Celé jméno",
"com_auth_github_login": "Pokračovat přes Github",
"com_auth_google_login": "Pokračovat přes Google",
"com_auth_here": "ZDE",
"com_auth_login": "Přihlášení",
"com_auth_login_with_new_password": "Nyní se můžete přihlásit s novým heslem.",
"com_auth_name_max_length": "Jméno musí mít méně než 80 znaků",
"com_auth_name_min_length": "Jméno musí mít alespoň 3 znaky",
"com_auth_name_required": "Jméno je povinné",
"com_auth_no_account": "Nemáte účet?",
"com_auth_password": "Heslo",
"com_auth_password_confirm": "Potvrdit heslo",
"com_auth_password_forgot": "Zapomněli jste heslo?",
"com_auth_password_max_length": "Heslo musí mít méně než 128 znaků",
"com_auth_password_min_length": "Heslo musí mít alespoň 8 znaků",
"com_auth_password_not_match": "Hesla se neshodují",
"com_auth_password_required": "Heslo je povinné",
"com_auth_registration_success_generic": "Zkontrolujte svůj e-mail pro ověření vaší e-mailové adresy.",
"com_auth_registration_success_insecure": "Registrace byla úspěšná.",
"com_auth_reset_password": "Obnovit heslo",
"com_auth_reset_password_if_email_exists": "Pokud účet s touto e-mailovou adresou existuje, byl odeslán e-mail s instrukcemi pro resetování hesla. Nezapomeňte zkontrolovat složku spamu.",
"com_auth_reset_password_link_sent": "E-mail odeslán",
"com_auth_reset_password_success": "Obnova hesla úspěšná",
"com_auth_sign_in": "Přihlásit se",
"com_auth_sign_up": "Registrovat se",
"com_auth_submit_registration": "Odeslat registraci",
"com_auth_to_reset_your_password": "pro obnovení hesla.",
"com_auth_to_try_again": "zkusit znovu.",
"com_auth_two_factor": "Zkontrolujte vaši preferovanou aplikaci pro jednorázové heslo a zadejte kód",
"com_auth_username": "Uživatelské jméno (volitelné)",
"com_auth_username_max_length": "Uživatelské jméno musí mít méně než 20 znaků",
"com_auth_username_min_length": "Uživatelské jméno musí mít alespoň 2 znaky",
"com_auth_verify_your_identity": "Ověřte svou identitu",
"com_auth_welcome_back": "Vítejte zpět",
"com_click_to_download": "(klikněte zde pro stažení)",
"com_download_expired": "(platnost stažení vypršela)",
"com_download_expires": "(klikněte zde pro stažení - platnost vyprší {{0}})",
"com_endpoint": "Koncový bod",
"com_endpoint_agent": "Agent",
"com_endpoint_agent_model": "Model agenta (Doporučeno: GPT-3.5)",
"com_endpoint_agent_placeholder": "Vyberte prosím agenta",
"com_endpoint_ai": "AI",
"com_endpoint_anthropic_maxoutputtokens": "Maximální počet tokenů, které lze v odpovědi vygenerovat. Zadejte nižší hodnotu pro kratší odpovědi a vyšší hodnotu pro delší odpovědi. Poznámka: modely mohou skončit před dosažením tohoto maxima.",
"com_endpoint_anthropic_prompt_cache": "Ukládání výzev umožňuje znovu použít rozsáhlý kontext nebo instrukce napříč API voláními, čímž se snižují náklady a latence.",
"com_endpoint_anthropic_temp": "Hodnoty od 0 do 1. Použijte hodnotu blíže k 0 pro analytické / výběrové úlohy a blíže k 1 pro kreativní a generativní úkoly.",
"com_endpoint_anthropic_thinking": "Povoluje interní uvažování u podporovaných modelů Claude (3.7 Sonnet). Poznámka: vyžaduje nastavení \"Thinking Budget\" na nižší hodnotu než \"Max Output Tokens\".",
"com_endpoint_anthropic_thinking_budget": "Určuje maximální počet tokenů, které může Claude použít pro svůj interní proces uvažování.",
"com_endpoint_assistant": "Asistent",
"com_endpoint_assistant_model": "Model asistenta",
"com_endpoint_completion": "Dokončení",
"com_endpoint_completion_model": "Model dokončení (Doporučeno: GPT-4)",
"com_endpoint_config_key_name": "Klíč",
"com_endpoint_config_key_never_expires": "Váš klíč nikdy nevyprší",
"com_endpoint_config_placeholder": "Nastavte svůj klíč v nabídce záhlaví pro chat.",
"com_endpoint_config_value": "Zadejte hodnotu pro",
"com_endpoint_context": "Kontext",
"com_endpoint_context_info": "Maximální počet tokenů, které lze použít pro kontext. Použijte toto pro kontrolu počtu tokenů odeslaných na požadavek. Pokud není uvedeno, použije se výchozí nastavení systému podle velikosti kontextu známých modelů. Nastavení vyšších hodnot může vést k chybám a/nebo vyšším nákladům na tokeny.",
"com_endpoint_context_tokens": "Maximální počet kontextových tokenů",
"com_endpoint_custom_name": "Vlastní název",
"com_endpoint_default": "výchozí",
"com_endpoint_default_blank": "výchozí: prázdné",
"com_endpoint_default_empty": "výchozí: prázdné",
"com_endpoint_default_with_num": "výchozí: {{0}}",
"com_endpoint_examples": "Předvolby",
"com_endpoint_export": "Exportovat",
"com_endpoint_export_share": "Exportovat/Sdílet",
"com_endpoint_frequency_penalty": "Postih za časté opakování",
"com_endpoint_func_hover": "Povolit použití pluginů jako funkcí OpenAI",
"com_endpoint_google_custom_name_placeholder": "Nastavit vlastní název pro Google",
"com_endpoint_google_maxoutputtokens": "Maximální počet tokenů, které lze v odpovědi vygenerovat. Nižší hodnota pro kratší odpovědi, vyšší hodnota pro delší odpovědi. Poznámka: modely mohou skončit před dosažením tohoto maxima.",
"com_endpoint_google_temp": "Vyšší hodnoty = větší náhodnost, nižší hodnoty = soustředěnější a deterministický výstup. Doporučujeme upravit buď toto, nebo Top P, ale ne obojí.",
"com_endpoint_google_topk": "Top-k mění způsob, jakým model vybírá tokeny pro výstup. Top-k 1 znamená, že vybraný token je nejpravděpodobnější ze všech v modelové slovní zásobě (také nazývané chamtivé dekódování), zatímco top-k 3 znamená, že další token je vybrán ze tří nejpravděpodobnějších (s použitím teploty).",
"com_endpoint_google_topp": "Top-p mění způsob, jakým model vybírá tokeny pro výstup. Tokeny jsou vybírány od nejpravděpodobnějších, dokud součet jejich pravděpodobností nedosáhne hodnoty top-p.",
"com_endpoint_instructions_assistants": "Přepsat instrukce",
"com_endpoint_instructions_assistants_placeholder": "Přepíše instrukce asistenta. Užitečné pro úpravu chování v jednotlivých bězích.",
"com_endpoint_max_output_tokens": "Maximální počet výstupních tokenů",
"com_endpoint_message": "Zpráva",
"com_endpoint_message_new": "Zpráva {{0}}",
"com_endpoint_message_not_appendable": "Upravte svou zprávu nebo ji znovu vygenerujte.",
"com_endpoint_my_preset": "Moje předvolba",
"com_endpoint_no_presets": "Žádné předvolby zatím nejsou, použijte tlačítko nastavení k vytvoření jedné",
"com_endpoint_open_menu": "Otevřít nabídku",
"com_endpoint_openai_custom_name_placeholder": "Nastavit vlastní název pro AI",
"com_endpoint_openai_temp": "Vyšší hodnoty = větší náhodnost, nižší hodnoty = soustředěnější a deterministický výstup.",
"com_endpoint_openai_topp": "Alternativa k vzorkování s teplotou, tzv. nucleus sampling, kde model zvažuje výsledky tokenů s nejvyšší pravděpodobností. Například hodnota 0.1 znamená, že se berou v úvahu pouze tokeny tvořící 10 % nejvyšší pravděpodobnosti.",
"com_endpoint_output": "Výstup",
"com_endpoint_plug_image_detail": "Detail obrazu",
"com_endpoint_plug_resend_files": "Znovu odeslat soubory",
"com_endpoint_prompt_cache": "Použít cache výzev",
"com_endpoint_prompt_prefix": "Vlastní instrukce",
"com_endpoint_prompt_prefix_assistants": "Další instrukce",
"com_endpoint_reasoning_effort": "Úroveň úsilí při uvažování",
"com_endpoint_save_as_preset": "Uložit jako předvolbu",
"com_endpoint_search": "Hledat koncový bod podle názvu",
"com_endpoint_stop": "Zastavit sekvence",
"com_endpoint_temperature": "Teplota",
"com_endpoint_thinking": "Přemýšlení",
"com_endpoint_thinking_budget": "Rozpočet na přemýšlení",
"com_endpoint_top_k": "Top K",
"com_endpoint_top_p": "Top P",
"com_endpoint_use_active_assistant": "Použít aktivního asistenta",
"com_error_expired_user_key": "Poskytnutý klíč pro {{0}} vypršel v {{1}}. Zadejte nový klíč a zkuste to znovu.",
"com_error_files_dupe": "Byl zjištěn duplicitní soubor.",
"com_error_files_empty": "Prázdné soubory nejsou povoleny.",
"com_error_files_process": "Při zpracování souboru došlo k chybě.",
"com_error_files_unsupported_capability": "Nejsou povoleny žádné funkce podporující tento typ souboru.",
"com_error_files_upload": "Při nahrávání souboru došlo k chybě.",
"com_error_files_upload_canceled": "Požadavek na nahrání souboru byl zrušen. Poznámka: nahrávání souboru může stále probíhat a bude nutné jej ručně smazat.",
"com_error_files_validation": "Při ověřování souboru došlo k chybě.",
"com_error_input_length": "Počet tokenů v poslední zprávě je příliš dlouhý a přesahuje limit tokenů ({{0}}). Zkraťte svou zprávu, upravte maximální velikost kontextu v parametrech konverzace nebo rozdělte konverzaci.",
"com_error_invalid_user_key": "Zadaný klíč je neplatný. Zadejte platný klíč a zkuste to znovu.",
"com_error_moderation": "Zdá se, že obsah vaší zprávy byl označen naším moderovacím systémem, protože neodpovídá našim komunitním zásadám. Nemůžeme v této záležitosti pokračovat. Pokud máte jiné otázky nebo témata, která chcete prozkoumat, upravte svou zprávu nebo vytvořte novou konverzaci.",
"com_error_no_base_url": "Nebyla nalezena základní URL. Zadejte ji a zkuste to znovu.",
"com_error_no_user_key": "Nebyl nalezen žádný klíč. Zadejte klíč a zkuste to znovu.",
"com_files_filter": "Filtrovat soubory...",
"com_files_no_results": "Žádné výsledky.",
"com_files_number_selected": "Vybráno {{0}} z {{1}} položek",
"com_files_table": "něco sem musí přijít. bylo prázdné",
"com_generated_files": "Vygenerované soubory:",
"com_hide_examples": "Skrýt příklady",
"com_nav_2fa": "Dvoufaktorové ověřování (2FA)",
"com_nav_account_settings": "Nastavení účtu",
"com_nav_always_make_prod": "Vždy nastavovat nové verze jako produkční",
"com_nav_archive_created_at": "Datum archivace",
"com_nav_archive_name": "Název",
"com_nav_archived_chats": "Archivované chaty",
"com_nav_at_command": "@-Příkaz",
"com_nav_at_command_description": "Přepínání příkazů \"@\" pro přepínání koncových bodů, modelů, předvoleb atd.",
"com_nav_audio_play_error": "Chyba při přehrávání zvuku: {{0}}",
"com_nav_audio_process_error": "Chyba při zpracování zvuku: {{0}}",
"com_nav_auto_scroll": "Automaticky rolovat na nejnovější zprávu po otevření chatu",
"com_nav_auto_send_prompts": "Automatické odesílání výzev",
"com_nav_auto_send_text": "Automatické odesílání textu",
"com_nav_auto_send_text_disabled": "nastavte -1 pro deaktivaci",
"com_nav_auto_transcribe_audio": "Automaticky přepisovat zvuk",
"com_nav_automatic_playback": "Automatické přehrávání poslední zprávy",
"com_nav_balance": "Zůstatek",
"com_nav_browser": "Prohlížeč",
"com_nav_change_picture": "Změnit obrázek",
"com_nav_chat_commands": "Příkazy chatu",
"com_nav_chat_commands_info": "Tyto příkazy se aktivují zadáním specifických znaků na začátku vaší zprávy. Každý příkaz je spuštěn svým určeným prefixem. Můžete je deaktivovat, pokud tyto znaky často používáte na začátku zpráv.",
"com_nav_chat_direction": "Směr chatu",
"com_nav_clear_all_chats": "Vymazat všechny chaty",
"com_nav_clear_cache_confirm_message": "Opravdu chcete vymazat mezipaměť?",
"com_nav_clear_conversation": "Vymazat konverzace",
"com_nav_clear_conversation_confirm_message": "Opravdu chcete vymazat všechny konverzace? Tuto akci nelze vrátit zpět.",
"com_nav_close_sidebar": "Zavřít boční panel",
"com_nav_commands": "Příkazy",
"com_nav_confirm_clear": "Potvrdit vymazání",
"com_nav_conversation_mode": "Režim konverzace",
"com_nav_convo_menu_options": "Možnosti menu konverzace",
"com_nav_db_sensitivity": "Citlivost decibelů",
"com_nav_delete_account": "Smazat účet",
"com_nav_delete_account_button": "Trvale smazat můj účet",
"com_nav_delete_account_confirm": "Smazat účet - jste si jisti?",
"com_nav_delete_account_email_placeholder": "Zadejte e-mail vašeho účtu",
"com_nav_delete_cache_storage": "Smazat úložiště mezipaměti TTS",
"com_nav_delete_data_info": "Všechna vaše data budou smazána.",
"com_nav_delete_warning": "VAROVÁNÍ: Tato akce trvale smaže váš účet.",
"com_nav_enable_cache_tts": "Povolit mezipaměť TTS",
"com_nav_enable_cloud_browser_voice": "Používat cloudové hlasy",
"com_nav_enabled": "Povoleno",
"com_nav_engine": "Engine",
"com_nav_enter_to_send": "Stiskněte Enter pro odeslání zprávy",
"com_nav_export": "Exportovat",
"com_nav_export_all_message_branches": "Exportovat všechny větve zpráv",
"com_nav_export_conversation": "Exportovat konverzaci",
"com_nav_export_filename": "Název souboru",
"com_nav_export_filename_placeholder": "Zadejte název souboru",
"com_nav_export_include_endpoint_options": "Zahrnout možnosti koncového bodu",
"com_nav_export_recursive": "Rekurzivní",
"com_nav_export_recursive_or_sequential": "Rekurzivní nebo sekvenční?",
"com_nav_export_type": "Typ",
"com_nav_external": "Externí",
"com_nav_font_size": "Velikost písma zprávy",
"com_nav_font_size_base": "Střední",
"com_nav_font_size_lg": "Velká",
"com_nav_font_size_sm": "Malá",
"com_nav_font_size_xl": "Extra velká",
"com_nav_font_size_xs": "Extra malá",
"com_nav_help_faq": "Nápověda a FAQ",
"com_nav_hide_panel": "Skrýt pravý panel",
"com_nav_info_code_artifacts": "Povoluje zobrazování experimentálních kódových artefaktů vedle chatu",
"com_nav_info_code_artifacts_agent": "Povoluje použití kódových artefaktů pro tohoto agenta. Ve výchozím nastavení jsou přidány další instrukce specifické pro použití artefaktů, pokud není povolen režim \"Vlastní výzva\".",
"com_nav_info_custom_prompt_mode": "Při povolení nebude zahrnuta výchozí systémová výzva pro artefakty. Všechny instrukce pro generování artefaktů musí být v tomto režimu poskytnuty ručně.",
"com_nav_info_enter_to_send": "Při povolení odešle stisk `ENTER` zprávu. Při deaktivaci přidá Enter nový řádek a zprávu odešlete stiskem `CTRL + ENTER` / `⌘ + ENTER`.",
"com_nav_info_fork_change_default": "`Viditelné zprávy pouze` zahrnuje pouze přímou cestu k vybrané zprávě. `Zahrnout související větve` přidá větve podél cesty. `Zahrnout vše od/do` zahrnuje všechny propojené zprávy a větve.",
"com_nav_info_fork_split_target_setting": "Při povolení začne větvení od cílové zprávy až po nejnovější zprávu v konverzaci podle zvoleného chování.",
"com_nav_info_include_shadcnui": "Při povolení budou zahrnuty instrukce pro použití komponent shadcn/ui.",
"com_nav_info_latex_parsing": "Při povolení bude LaTeX kód v zprávách vykreslen jako matematické rovnice.",
"com_nav_info_save_draft": "Při povolení se text a přílohy, které zadáte do chatu, automaticky ukládají jako koncepty.",
"com_nav_info_show_thinking": "Při povolení se automaticky zobrazí rozbalovací nabídky uvažování AI.",
"com_nav_info_user_name_display": "Při povolení se nad každou vaší zprávou zobrazí uživatelské jméno.",
"com_nav_lang_arabic": "العربية",
"com_nav_lang_auto": "Automatické rozpoznání",
"com_nav_lang_brazilian_portuguese": "Português Brasileiro",
"com_nav_lang_chinese": "中文",
"com_nav_lang_dutch": "Nederlands",
"com_nav_lang_english": "English",
"com_nav_lang_french": "Français ",
"com_nav_lang_german": "Deutsch",
"com_nav_lang_italian": "Italiano",
"com_nav_lang_japanese": "日本語",
"com_nav_lang_korean": "한국어",
"com_nav_lang_polish": "Polski",
"com_nav_lang_portuguese": "Português",
"com_nav_lang_russian": "Русский",
"com_nav_lang_spanish": "Español",
"com_nav_lang_swedish": "Svenska",
"com_nav_lang_traditional_chinese": "繁體中文",
"com_nav_lang_turkish": "Türkçe",
"com_nav_lang_vietnamese": "Tiếng Việt",
"com_nav_language": "Jazyk",
"com_nav_latex_parsing": "Zpracování LaTeXu v zprávách",
"com_nav_log_out": "Odhlásit se",
"com_nav_maximize_chat_space": "Maximalizovat prostor chatu",
"com_nav_modular_chat": "Povolit přepínání koncových bodů během konverzace",
"com_nav_my_files": "Moje soubory",
"com_nav_not_supported": "Nepodporováno",
"com_nav_open_sidebar": "Otevřít boční panel",
"com_nav_playback_rate": "Rychlost přehrávání zvuku",
"com_nav_plugin_auth_error": "Při ověřování pluginu došlo k chybě.",
"com_nav_plugin_install": "Instalovat",
"com_nav_plugin_search": "Hledat pluginy",
"com_nav_plugin_store": "Obchod s pluginy",
"com_nav_plugin_uninstall": "Odinstalovat",
"com_nav_plus_command": "+-Příkaz",
"com_nav_plus_command_description": "Přepnutí příkazu \"+\" pro přidání nastavení více odpovědí",
"com_nav_profile_picture": "Profilový obrázek",
"com_nav_save_drafts": "Ukládat koncepty lokálně",
"com_nav_scroll_button": "Tlačítko pro posun na konec",
"com_nav_search_placeholder": "Hledat zprávy",
"com_nav_send_message": "Odeslat zprávu",
"com_nav_setting_account": "Účet",
"com_nav_setting_beta": "Beta funkce",
"com_nav_setting_chat": "Chat",
"com_nav_setting_data": "Ovládání dat",
"com_nav_setting_general": "Obecné",
"com_nav_setting_speech": "Hlas",
"com_nav_settings": "Nastavení",
"com_nav_shared_links": "Sdílené odkazy",
"com_nav_show_code": "Vždy zobrazit kód při použití interpretace kódu",
"com_nav_show_thinking": "Otevřít uvažovací nabídky ve výchozím nastavení",
"com_nav_slash_command": "/-Příkaz",
"com_nav_slash_command_description": "Přepnutí příkazu \"/\" pro výběr výzvy pomocí klávesnice",
"com_nav_speech_to_text": "Převod řeči na text",
"com_nav_stop_generating": "Zastavit generování",
"com_nav_text_to_speech": "Převod textu na řeč",
"com_nav_theme": "Motiv",
"com_nav_theme_dark": "Tmavý",
"com_nav_theme_light": "Světlý",
"com_nav_theme_system": "Systémový",
"com_nav_tool_dialog": "Nástroje asistenta",
"com_nav_tool_dialog_agents": "Nástroje agenta",
"com_nav_tool_dialog_description": "Asistent musí být uložen, aby výběr nástrojů přetrval.",
"com_nav_tool_remove": "Odstranit",
"com_nav_tool_search": "Hledat nástroje",
"com_nav_user": "UŽIVATEL",
"com_nav_user_msg_markdown": "Zobrazit uživatelské zprávy ve formátu Markdown",
"com_nav_user_name_display": "Zobrazit uživatelské jméno ve zprávách",
"com_nav_voice_select": "Hlas",
"com_show_agent_settings": "Zobrazit nastavení agenta",
"com_show_completion_settings": "Zobrazit nastavení dokončení",
"com_show_examples": "Zobrazit příklady",
"com_sidepanel_agent_builder": "Tvůrce agentů",
"com_sidepanel_assistant_builder": "Tvůrce asistentů",
"com_sidepanel_attach_files": "Připojit soubory",
"com_sidepanel_conversation_tags": "Záložky",
"com_sidepanel_hide_panel": "Skrýt panel",
"com_sidepanel_manage_files": "Správa souborů",
"com_sidepanel_parameters": "Parametry",
"com_ui_2fa_account_security": "Dvoufaktorové ověřování přidává další vrstvu zabezpečení vašeho účtu",
"com_ui_2fa_disable": "Zakázat 2FA",
"com_ui_2fa_disable_error": "Při deaktivaci dvoufaktorového ověřování došlo k chybě",
"com_ui_2fa_disabled": "2FA bylo deaktivováno",
"com_ui_2fa_enable": "Povolit 2FA",
"com_ui_2fa_enabled": "2FA bylo povoleno",
"com_ui_2fa_generate_error": "Při generování nastavení 2FA došlo k chybě",
"com_ui_2fa_invalid": "Neplatný kód dvoufaktorového ověřování",
"com_ui_2fa_setup": "Nastavit 2FA",
"com_ui_2fa_verified": "Dvoufaktorové ověřování úspěšně ověřeno",
"com_ui_accept": "Přijímám",
"com_ui_add": "Přidat",
"com_ui_add_model_preset": "Přidat model nebo předvolbu pro další odpověď",
"com_ui_add_multi_conversation": "Přidat více konverzací",
"com_ui_admin": "Administrátor",
"com_ui_admin_access_warning": "Zakázání přístupu správce k této funkci může způsobit problémy v uživatelském rozhraní.",
"com_ui_admin_settings": "Nastavení správce",
"com_ui_advanced": "Pokročilé",
"com_ui_agent": "Agent",
"com_ui_agent_delete_error": "Při mazání agenta došlo k chybě",
"com_ui_agent_deleted": "Agent byl úspěšně smazán",
"com_ui_agent_duplicate_error": "Při duplikaci agenta došlo k chybě",
"com_ui_agent_duplicated": "Agent byl úspěšně duplikován",
"com_ui_agents": "Agenti",
"com_ui_agents_allow_create": "Povolit vytváření agentů",
"com_ui_agents_allow_share_global": "Povolit sdílení agentů všem uživatelům",
"com_ui_agents_allow_use": "Povolit používání agentů",
"com_ui_all": "vše",
"com_ui_all_proper": "Vše",
"com_ui_analyzing": "Analýza",
"com_ui_analyzing_finished": "Analýza dokončena",
"com_ui_api_key": "API klíč",
"com_ui_archive": "Archivovat",
"com_ui_archive_error": "Nepodařilo se archivovat konverzaci",
"com_ui_artifact_click": "Klikněte pro otevření",
"com_ui_artifacts": "Artefakty",
"com_ui_artifacts_toggle": "Přepnout uživatelské rozhraní artefaktů",
"com_ui_artifacts_toggle_agent": "Povolit artefakty",
"com_ui_ascending": "Vzestupně",
"com_ui_assistant": "Asistent",
"com_ui_assistant_delete_error": "Při mazání asistenta došlo k chybě",
"com_ui_assistant_deleted": "Asistent byl úspěšně smazán",
"com_ui_assistants": "Asistenti",
"com_ui_assistants_output": "Výstup asistentů",
"com_ui_attach_error": "Nelze připojit soubor. Vytvořte nebo vyberte konverzaci.",
"com_ui_attach_error_openai": "Nelze připojit soubory asistenta k jiným koncovým bodům",
"com_ui_attach_error_size": "Překročena velikost souboru pro koncový bod:",
"com_ui_attach_error_type": "Nepodporovaný typ souboru pro koncový bod:",
"com_ui_attach_warn_endpoint": "Nepodporované soubory mohou být ignorovány",
"com_ui_attachment": "Příloha",
"com_ui_auth_type": "Typ ověření",
"com_ui_auth_url": "Autorizační URL",
"com_ui_authentication": "Ověření",
"com_ui_authentication_type": "Typ ověření",
"com_ui_avatar": "Avatar",
"com_ui_azure": "Azure",
"com_ui_back_to_chat": "Zpět do chatu",
"com_ui_back_to_prompts": "Zpět na výzvy",
"com_ui_backup_codes": "Záložní kódy",
"com_ui_backup_codes_regenerate_error": "Při generování záložních kódů došlo k chybě",
"com_ui_backup_codes_regenerated": "Záložní kódy byly úspěšně vygenerovány",
"com_ui_basic": "Základní",
"com_ui_basic_auth_header": "Základní autorizační hlavička",
"com_ui_bearer": "Bearer",
"com_ui_bookmark_delete_confirm": "Opravdu chcete smazat tuto záložku?",
"com_ui_bookmarks": "Záložky",
"com_ui_bookmarks_add": "Přidat záložky",
"com_ui_bookmarks_add_to_conversation": "Přidat do aktuální konverzace",
"com_ui_bookmarks_count": "Počet",
"com_ui_bookmarks_create_error": "Při vytváření záložky došlo k chybě",
"com_ui_bookmarks_create_exists": "Tato záložka již existuje",
"com_ui_bookmarks_create_success": "Záložka byla úspěšně vytvořena",
"com_ui_bookmarks_delete": "Smazat záložku",
"com_ui_bookmarks_delete_error": "Při mazání záložky došlo k chybě",
"com_ui_bookmarks_delete_success": "Záložka byla úspěšně smazána",
"com_ui_bookmarks_description": "Popis",
"com_ui_bookmarks_edit": "Upravit záložku",
"com_ui_bookmarks_filter": "Filtrovat záložky...",
"com_ui_bookmarks_new": "Nová záložka",
"com_ui_bookmarks_title": "Název",
"com_ui_bookmarks_update_error": "Při aktualizaci záložky došlo k chybě",
"com_ui_bookmarks_update_success": "Záložka byla úspěšně aktualizována",
"com_ui_bulk_delete_error": "Nepodařilo se smazat sdílené odkazy",
"com_ui_callback_url": "Callback URL",
"com_ui_cancel": "Zrušit",
"com_ui_chat": "Chat",
"com_ui_chat_history": "Historie chatu",
"com_ui_clear": "Vymazat",
"com_ui_clear_all": "Vymazat vše",
"com_ui_client_id": "ID klienta",
"com_ui_client_secret": "Tajný klíč klienta",
"com_ui_close": "Zavřít",
"com_ui_close_menu": "Zavřít nabídku",
"com_ui_code": "Kód",
"com_ui_collapse_chat": "Sbalit chat",
"com_ui_command_placeholder": "Volitelné: Zadejte příkaz pro výzvu, jinak se použije název",
"com_ui_command_usage_placeholder": "Vybrat výzvu podle příkazu nebo názvu",
"com_ui_complete_setup": "Dokončit nastavení",
"com_ui_confirm_action": "Potvrdit akci",
"com_ui_confirm_admin_use_change": "Změna tohoto nastavení zablokuje přístup správcům, včetně vás. Opravdu chcete pokračovat?",
"com_ui_confirm_change": "Potvrdit změnu",
"com_ui_context": "Kontext",
"com_ui_continue": "Pokračovat",
"com_ui_controls": "Ovládání",
"com_ui_copied": "Zkopírováno!",
"com_ui_copied_to_clipboard": "Zkopírováno do schránky",
"com_ui_copy_code": "Kopírovat kód",
"com_ui_copy_link": "Kopírovat odkaz",
"com_ui_copy_to_clipboard": "Kopírovat do schránky",
"com_ui_create": "Vytvořit",
"com_ui_create_link": "Vytvořit odkaz",
"com_ui_create_prompt": "Vytvořit výzvu",
"com_ui_currently_production": "Aktuálně ve výrobě",
"com_ui_custom": "Vlastní",
"com_ui_custom_header_name": "Vlastní název hlavičky",
"com_ui_custom_prompt_mode": "Režim vlastní výzvy",
"com_ui_dashboard": "Dashboard",
"com_ui_date": "Datum",
"com_ui_date_april": "Duben",
"com_ui_date_august": "Srpen",
"com_ui_date_december": "Prosinec",
"com_ui_date_february": "Únor",
"com_ui_date_january": "Leden",
"com_ui_date_july": "Červenec",
"com_ui_date_june": "Červen",
"com_ui_date_march": "Březen",
"com_ui_date_may": "Květen",
"com_ui_date_november": "Listopad",
"com_ui_date_october": "Říjen",
"com_ui_date_previous_30_days": "Předchozích 30 dní",
"com_ui_date_previous_7_days": "Předchozích 7 dní",
"com_ui_date_september": "Září",
"com_ui_date_today": "Dnes",
"com_ui_date_yesterday": "Včera",
"com_ui_decline": "Nepřijímám",
"com_ui_default_post_request": "Výchozí (POST request)",
"com_ui_delete": "Smazat",
"com_ui_delete_action": "Smazat akci",
"com_ui_delete_action_confirm": "Opravdu chcete tuto akci smazat?",
"com_ui_delete_agent_confirm": "Opravdu chcete tohoto agenta smazat?",
"com_ui_delete_assistant_confirm": "Opravdu chcete tohoto asistenta smazat? Tuto akci nelze vrátit zpět.",
"com_ui_delete_confirm": "Tímto smažete",
"com_ui_delete_confirm_prompt_version_var": "Tímto smažete vybranou verzi pro \"{{0}}.\" Pokud neexistují žádné další verze, výzva bude smazána.",
"com_ui_delete_conversation": "Smazat chat?",
"com_ui_delete_prompt": "Smazat výzvu?",
"com_ui_delete_shared_link": "Smazat sdílený odkaz?",
"com_ui_delete_tool": "Smazat nástroj",
"com_ui_delete_tool_confirm": "Opravdu chcete tento nástroj smazat?",
"com_ui_descending": "Sestupně",
"com_ui_description": "Popis",
"com_ui_description_placeholder": "Volitelné: Zadejte popis pro zobrazení výzvy",
"com_ui_disabling": "Deaktivace...",
"com_ui_download": "Stáhnout",
"com_ui_download_artifact": "Stáhnout artefakt",
"com_ui_download_backup": "Stáhnout záložní kódy",
"com_ui_download_backup_tooltip": "Před pokračováním si stáhněte záložní kódy. Budete je potřebovat k opětovnému přístupu v případě ztráty autentizačního zařízení.",
"com_ui_download_error": "Chyba při stahování souboru. Soubor mohl být smazán.",
"com_ui_drag_drop": "něco sem musí přijít. bylo prázdné",
"com_ui_dropdown_variables": "Proměnné rozevírací nabídky:",
"com_ui_dropdown_variables_info": "Vytvořte vlastní rozevírací nabídky pro vaše výzvy: `{{variable_name:option1|option2|option3}}`",
"com_ui_duplicate": "Duplikovat",
"com_ui_duplication_error": "Při duplikaci konverzace došlo k chybě",
"com_ui_duplication_processing": "Duplikuji konverzaci...",
"com_ui_duplication_success": "Konverzace úspěšně duplikována",
"com_ui_edit": "Upravit",
"com_ui_empty_category": "-",
"com_ui_endpoint": "Koncový bod",
"com_ui_endpoint_menu": "Nabídka LLM koncových bodů",
"com_ui_enter": "Enter",
"com_ui_enter_api_key": "Zadejte API klíč",
"com_ui_enter_openapi_schema": "Zadejte svůj OpenAPI schéma zde",
"com_ui_error": "Chyba",
"com_ui_error_connection": "Chyba při připojení k serveru, zkuste obnovit stránku.",
"com_ui_error_save_admin_settings": "Při ukládání nastavení správce došlo k chybě.",
"com_ui_examples": "Příklady",
"com_ui_export_convo_modal": "Exportovat konverzaci",
"com_ui_field_required": "Toto pole je povinné",
"com_ui_filter_prompts": "Filtrovat výzvy",
"com_ui_filter_prompts_name": "Filtrovat výzvy podle názvu",
"com_ui_finance": "Finance",
"com_ui_fork": "Rozdělit",
"com_ui_fork_all_target": "Zahrnout vše od/do",
"com_ui_fork_branches": "Zahrnout související větve",
"com_ui_fork_change_default": "Výchozí možnost rozdělení",
"com_ui_fork_default": "Použít výchozí možnost rozdělení",
"com_ui_fork_error": "Při rozdělování konverzace došlo k chybě",
"com_ui_fork_from_message": "Vyberte možnost rozdělení",
"com_ui_fork_info_1": "Použijte toto nastavení pro rozdělení zpráv podle požadovaného chování.",
"com_ui_fork_info_2": "\"Rozdělení\" znamená vytvoření nové konverzace začínající/končící u určitých zpráv v aktuální konverzaci, čímž se vytvoří kopie dle vybraných možností.",
"com_ui_fork_info_3": "\"Cílová zpráva\" označuje buď zprávu, ze které bylo okno otevřeno, nebo pokud zaškrtnete \"{{0}}\", nejnovější zprávu v konverzaci.",
"com_ui_fork_info_branches": "Tato možnost rozděluje viditelné zprávy spolu se souvisejícími větvemi; jinými slovy, přímou cestu k cílové zprávě včetně větví na této cestě.",
"com_ui_fork_info_remember": "Zaškrtnutím si zapamatujete vybrané možnosti pro budoucí použití, což urychlí rozdělování konverzací.",
"com_ui_fork_info_start": "Pokud zaškrtnuto, rozdělení začne od této zprávy až po nejnovější zprávu v konverzaci dle zvoleného chování.",
"com_ui_fork_info_target": "Tato možnost rozděluje všechny zprávy vedoucí k cílové zprávě, včetně sousedních; jinými slovy, zahrnuje všechny větve zpráv.",
"com_ui_fork_info_visible": "Tato možnost rozděluje pouze viditelné zprávy; jinými slovy, přímou cestu k cílové zprávě bez větví.",
"com_ui_fork_processing": "Rozděluji konverzaci...",
"com_ui_fork_remember": "Zapamatovat",
"com_ui_fork_remember_checked": "Vaše volba bude zapamatována. Můžete ji kdykoli změnit v nastavení.",
"com_ui_fork_split_target": "Začít rozdělení zde",
"com_ui_fork_split_target_setting": "Výchozí rozdělení od cílové zprávy",
"com_ui_fork_success": "Konverzace úspěšně rozdělena",
"com_ui_fork_visible": "Pouze viditelné zprávy",
"com_ui_generate_backup": "Generovat záložní kódy",
"com_ui_generate_qrcode": "Generovat QR kód",
"com_ui_generating": "Generuji...",
"com_ui_global_group": "něco sem musí přijít. bylo prázdné",
"com_ui_go_back": "Zpět",
"com_ui_go_to_conversation": "Přejít na konverzaci",
"com_ui_happy_birthday": "Mám 1. narozeniny!",
"com_ui_hide_qr": "Skrýt QR kód",
"com_ui_host": "Hostitel",
"com_ui_idea": "Nápady",
"com_ui_image_gen": "Generování obrázků",
"com_ui_import": "Importovat",
"com_ui_import_conversation_error": "Při importu konverzací došlo k chybě",
"com_ui_import_conversation_file_type_error": "Nepodporovaný typ souboru pro import",
"com_ui_import_conversation_info": "Importovat konverzace ze souboru JSON",
"com_ui_import_conversation_success": "Konverzace úspěšně importovány",
"com_ui_include_shadcnui": "Zahrnout instrukce pro shadcn/ui",
"com_ui_input": "Vstup",
"com_ui_instructions": "Instrukce",
"com_ui_latest_footer": "AICon se může plést. Vždy kontrolujte důležité informace.",
"com_ui_latest_production_version": "Nejnovější produkční verze",
"com_ui_latest_version": "Nejnovější verze",
"com_ui_librechat_code_api_key": "Získejte svůj API klíč pro LibreChat Code Interpreter",
"com_ui_librechat_code_api_subtitle": "Bezpečné. Vícejazyčné. Vstupní/Výstupní soubory.",
"com_ui_librechat_code_api_title": "Spustit AI kód",
"com_ui_loading": "Načítání...",
"com_ui_locked": "Zamčeno",
"com_ui_logo": "Logo {{0}}",
"com_ui_manage": "Spravovat",
"com_ui_max_tags": "Maximální povolený počet je {{0}}, používám nejnovější hodnoty.",
"com_ui_mention": "Zmiňte koncový bod, asistenta nebo předvolbu pro rychlé přepnutí",
"com_ui_min_tags": "Nelze odebrat další hodnoty, minimální počet je {{0}}.",
"com_ui_misc": "Různé",
"com_ui_model": "Model",
"com_ui_model_parameters": "Parametry modelu",
"com_ui_more_info": "Více informací",
"com_ui_my_prompts": "Moje výzvy",
"com_ui_name": "Název",
"com_ui_new": "Nový",
"com_ui_new_chat": "Nový chat",
"com_ui_next": "Další",
"com_ui_no": "Ne",
"com_ui_no_backup_codes": "Nejsou k dispozici žádné záložní kódy. Vygenerujte nové.",
"com_ui_no_bookmarks": "Zdá se, že zatím nemáte žádné záložky. Klikněte na chat a přidejte novou.",
"com_ui_no_category": "Žádná kategorie",
"com_ui_no_changes": "Žádné změny k aktualizaci",
"com_ui_no_data": "něco sem musí přijít. bylo prázdné",
"com_ui_no_terms_content": "Žádný obsah podmínek a pravidel k zobrazení",
"com_ui_no_valid_items": "něco sem musí přijít. bylo prázdné",
"com_ui_none": "Žádné",
"com_ui_not_used": "Nepoužito",
"com_ui_nothing_found": "Nic nenalezeno",
"com_ui_oauth": "OAuth",
"com_ui_of": "z",
"com_ui_off": "Vypnuto",
"com_ui_on": "Zapnuto",
"com_ui_openai": "OpenAI",
"com_ui_page": "Stránka",
"com_ui_prev": "Předchozí",
"com_ui_preview": "Náhled",
"com_ui_privacy_policy": "Zásady ochrany osobních údajů",
"com_ui_privacy_policy_url": "URL zásad ochrany osobních údajů",
"com_ui_prompt": "Výzva",
"com_ui_prompt_already_shared_to_all": "Tato výzva je již sdílena se všemi uživateli",
"com_ui_prompt_name": "Název výzvy",
"com_ui_prompt_name_required": "Název výzvy je povinný",
"com_ui_prompt_preview_not_shared": "Autor neumožnil spolupráci na této výzvě.",
"com_ui_prompt_text": "Text",
"com_ui_prompt_text_required": "Text je povinný",
"com_ui_prompt_update_error": "Při aktualizaci výzvy došlo k chybě",
"com_ui_prompts": "Výzvy",
"com_ui_prompts_allow_create": "Povolit vytváření výzev",
"com_ui_prompts_allow_share_global": "Povolit sdílení výzev všem uživatelům",
"com_ui_prompts_allow_use": "Povolit používání výzev",
"com_ui_provider": "Poskytovatel",
"com_ui_read_aloud": "Přečíst nahlas",
"com_ui_refresh_link": "Obnovit odkaz",
"com_ui_regenerate": "Znovu vygenerovat",
"com_ui_regenerate_backup": "Znovu vygenerovat záložní kódy",
"com_ui_regenerating": "Generuji znovu...",
"com_ui_region": "Oblast",
"com_ui_rename": "Přejmenovat",
"com_ui_rename_prompt": "Přejmenovat výzvu",
"com_ui_requires_auth": "Vyžaduje ověření",
"com_ui_reset_var": "Obnovit {{0}}",
"com_ui_result": "Výsledek",
"com_ui_revoke": "Odvolat",
"com_ui_revoke_info": "Odvolat všechna uživatelem poskytnutá pověření",
"com_ui_revoke_key_confirm": "Opravdu chcete odvolat tento klíč?",
"com_ui_revoke_key_endpoint": "Odvolat klíč pro {{0}}",
"com_ui_revoke_keys": "Odvolat klíče",
"com_ui_revoke_keys_confirm": "Opravdu chcete odvolat všechny klíče?",
"com_ui_role_select": "Role",
"com_ui_roleplay": "Roleplay",
"com_ui_run_code": "Spustit kód",
"com_ui_run_code_error": "Při spouštění kódu došlo k chybě",
"com_ui_save": "Uložit",
"com_ui_save_submit": "Uložit a odeslat",
"com_ui_saved": "Uloženo!",
"com_ui_schema": "Schéma",
"com_ui_scope": "Rozsah",
"com_ui_search": "Hledat",
"com_ui_secret_key": "Tajný klíč",
"com_ui_select": "Vybrat",
"com_ui_select_file": "Vyberte soubor",
"com_ui_select_model": "Vyberte model",
"com_ui_select_provider": "Vyberte poskytovatele",
"com_ui_select_provider_first": "Nejprve vyberte poskytovatele",
"com_ui_select_region": "Vyberte oblast",
"com_ui_select_search_model": "Hledat model podle názvu",
"com_ui_select_search_plugin": "Hledat plugin podle názvu",
"com_ui_select_search_provider": "Hledat poskytovatele podle názvu",
"com_ui_select_search_region": "Hledat oblast podle názvu",
"com_ui_share": "Sdílet",
"com_ui_share_create_message": "Vaše jméno a zprávy, které přidáte po sdílení, zůstanou soukromé.",
"com_ui_share_delete_error": "Při mazání sdíleného odkazu došlo k chybě",
"com_ui_share_error": "Při sdílení odkazu na chat došlo k chybě",
"com_ui_share_form_description": "něco sem musí přijít. bylo prázdné",
"com_ui_share_link_to_chat": "Sdílet odkaz na chat",
"com_ui_share_to_all_users": "Sdílet se všemi uživateli",
"com_ui_share_update_message": "Vaše jméno, vlastní instrukce a zprávy přidané po sdílení zůstanou soukromé.",
"com_ui_share_var": "Sdílet {{0}}",
"com_ui_shared_link_bulk_delete_success": "Sdílené odkazy byly úspěšně smazány",
"com_ui_shared_link_delete_success": "Sdílený odkaz byl úspěšně smazán",
"com_ui_shared_link_not_found": "Sdílený odkaz nebyl nalezen",
"com_ui_shared_prompts": "Sdílené výzvy",
"com_ui_shop": "Nakupování",
"com_ui_show": "Zobrazit",
"com_ui_show_all": "Zobrazit vše",
"com_ui_show_qr": "Zobrazit QR kód",
"com_ui_sign_in_to_domain": "Přihlásit se do {{0}}",
"com_ui_simple": "Jednoduché",
"com_ui_size": "Velikost",
"com_ui_special_variables": "Speciální proměnné:",
"com_ui_speech_while_submitting": "Nelze odeslat hlasový vstup, zatímco se generuje odpověď",
"com_ui_stop": "Zastavit",
"com_ui_storage": "Úložiště",
"com_ui_submit": "Odeslat",
"com_ui_teach_or_explain": "Učení",
"com_ui_terms_and_conditions": "Obchodní podmínky",
"com_ui_terms_of_service": "Podmínky služby",
"com_ui_thinking": "Přemýšlení...",
"com_ui_thoughts": "Myšlenky",
"com_ui_token_exchange_method": "Metoda výměny tokenů",
"com_ui_token_url": "URL tokenu",
"com_ui_tools": "Nástroje",
"com_ui_travel": "Cestování",
"com_ui_unarchive": "Obnovit archiv",
"com_ui_unarchive_error": "Nepodařilo se obnovit archivovanou konverzaci",
"com_ui_unknown": "Neznámé",
"com_ui_update": "Aktualizovat",
"com_ui_upload": "Nahrát",
"com_ui_upload_code_files": "Nahrát soubory pro interpret kódu",
"com_ui_upload_delay": "Nahrávání \"{{0}}\" trvá déle než obvykle. Počkejte, než bude soubor indexován.",
"com_ui_upload_error": "Při nahrávání souboru došlo k chybě",
"com_ui_upload_file_search": "Nahrát pro vyhledávání v souborech",
"com_ui_upload_files": "Nahrát soubory",
"com_ui_upload_image": "Nahrát obrázek",
"com_ui_upload_image_input": "Nahrát obrázek",
"com_ui_upload_invalid": "Neplatný soubor pro nahrání. Musí to být obrázek nepřesahující limit.",
"com_ui_upload_invalid_var": "Neplatný soubor pro nahrání. Musí to být obrázek nepřesahující {{0}} MB",
"com_ui_upload_success": "Soubor byl úspěšně nahrán",
"com_ui_upload_type": "Vyberte typ nahrávání",
"com_ui_use_2fa_code": "Použít kód 2FA",
"com_ui_use_backup_code": "Použít záložní kód",
"com_ui_use_micrphone": "Použít mikrofon",
"com_ui_use_prompt": "Použít výzvu",
"com_ui_used": "Použito",
"com_ui_variables": "Proměnné",
"com_ui_variables_info": "Použijte dvojité složené závorky k vytvoření proměnných, např. `{{příklad proměnné}}`, které lze vyplnit při použití výzvy.",
"com_ui_verify": "Ověřit",
"com_ui_version_var": "Verze {{0}}",
"com_ui_versions": "Verze",
"com_ui_view_source": "Zobrazit zdrojový chat",
"com_ui_write": "Psát",
"com_ui_yes": "Ano",
"com_ui_zoom": "Přiblížit",
"com_user_message": "Vy",
"com_warning_resubmit_unsupported": "Opětovné odeslání AI zprávy není pro tento koncový bod podporováno."
}

View file

@ -0,0 +1,828 @@
{
"chat_direction_left_to_right": "Der skal stå noget her. var tom",
"chat_direction_right_to_left": "Der skal stå noget her. var tom",
"com_a11y_ai_composing": "AI'en komponerer stadig.",
"com_a11y_end": "AI'en er færdig med sit svar.",
"com_a11y_start": "AI'en er begyndt at svare.",
"com_agents_allow_editing": "Tillad andre brugere at redigere din agent",
"com_agents_by_librechat": "af LibreChat",
"com_agents_code_interpreter": "Når den er aktiveret, kan din agent bruge LibreChat Code Interpreter API til at køre genereret kode, herunder filbehandling, sikkert. Kræver en gyldig API-nøgle.",
"com_agents_code_interpreter_title": "Kodefortolker API",
"com_agents_create_error": "Der opstod en fejl ved oprettelsen af din agent.",
"com_agents_description_placeholder": "Valgfrit: Beskriv din agent her",
"com_agents_enable_file_search": "Aktivér filsøgning",
"com_agents_file_context": "Filkontekst (OCR)",
"com_agents_file_context_disabled": "Agenten skal oprettes, før der uploades filer til File Context.",
"com_agents_file_context_info": "Filer, der uploades som \"Context\", behandles ved hjælp af OCR for at udtrække tekst, som derefter føjes til agentens instruktioner. Ideel til dokumenter, billeder med tekst eller PDF'er, hvor du har brug for det fulde tekstindhold i en fil.",
"com_agents_file_search_disabled": "Agent skal oprettes inden uploading af filer til filsøgning.",
"com_agents_file_search_info": "Når den er aktiveret, får agenten besked om de nøjagtige filnavne, der er anført nedenfor, så den kan hente relevant kontekst fra disse filer.",
"com_agents_instructions_placeholder": "De systeminstruktioner, som agenten bruger",
"com_agents_missing_provider_model": "Vælg en udbyder og en model, før du opretter en agent.",
"com_agents_name_placeholder": "Valgfrit: Navnet på agenten",
"com_agents_no_access": "Du har ikke adgang til at redigere denne agent.",
"com_agents_not_available": "Agent ikke tilgængelig",
"com_agents_search_name": "Søg agenter efter navn",
"com_agents_update_error": "Der opstod en fejl ved opdateringen af din agent.",
"com_assistants_action_attempt": "Assistenten vil tale med {{0}}",
"com_assistants_actions": "Handlinger",
"com_assistants_actions_disabled": "Du skal oprette en assistent, før du tilføjer handlinger.",
"com_assistants_actions_info": "Lad din assistent hente oplysninger eller udføre handlinger via API'er",
"com_assistants_add_actions": "Tilføj handlinger",
"com_assistants_add_tools": "Tilføj værktøjer",
"com_assistants_allow_sites_you_trust": "Tillad kun sider, du har tillid til.",
"com_assistants_append_date": "Tilføj aktuel dato og tid",
"com_assistants_append_date_tooltip": "Når den er aktiveret, tilføjes den aktuelle klientdato og -klokkeslæt til assistentsystemets instruktioner.",
"com_assistants_attempt_info": "Assistent ønsker at sende følgende:",
"com_assistants_available_actions": "Tilgængelige handlinger",
"com_assistants_capabilities": "Evner",
"com_assistants_code_interpreter": "Kodefortolker",
"com_assistants_code_interpreter_files": "Filerne nedenfor er kun til Kodefortolker:",
"com_assistants_code_interpreter_info": "Kodefortolkeren gør det muligt for assistenten at skrive og køre kode. Dette værktøj kan behandle filer med forskellige data og formateringer og generere filer såsom grafer.",
"com_assistants_completed_function": "Kørte {{0}}",
"com_assistants_conversation_starters": "Samtalestartere",
"com_assistants_conversation_starters_placeholder": "Indtast en samtalestarter",
"com_assistants_create_error": "Der opstod en fejl ved oprettelsen af din assistent.",
"com_assistants_create_success": "Oprettet med succes",
"com_assistants_delete_actions_error": "Der opstod en fejl ved sletning af handlingen.",
"com_assistants_delete_actions_success": "Handlingen er slettet fra Assistent",
"com_assistants_description_placeholder": "Valgfrit: Beskriv din assistent her",
"com_assistants_domain_info": "Assistenten sendte disse oplysninger til {{0}}",
"com_assistants_file_search": "Filsøgning",
"com_assistants_function_use": "Assistent brugt {{0}}",
"com_assistants_image_vision": "Billedvision",
"com_assistants_instructions_placeholder": "De systeminstruktioner, som assistenten bruger",
"com_assistants_knowledge": "Viden",
"com_assistants_knowledge_disabled": "Assistent skal oprettes, og kodefortolker eller hentning skal aktiveres og gemmes, før filer uploades som viden.",
"com_assistants_knowledge_info": "Hvis du uploader filer under Viden, kan samtaler med din assistent indeholde filindhold.",
"com_assistants_max_starters_reached": "Maks. antal samtalestartere nået",
"com_assistants_name_placeholder": "Valgfrit: Navnet på assistenten",
"com_assistants_non_retrieval_model": "Filsøgning er ikke aktiveret på denne model. Vælg venligst en anden model.",
"com_assistants_retrieval": "Hentning",
"com_assistants_running_action": "Afvikler handling",
"com_assistants_search_name": "Søg assistenter efter navn",
"com_assistants_update_actions_error": "Der opstod en fejl ved oprettelse eller opdatering af handlingen.",
"com_assistants_update_actions_success": "Vellykket oprettet eller opdateret Handling",
"com_assistants_update_error": "Der opstod en fejl ved opdateringen af din assistent.",
"com_assistants_update_success": "Opdateret med succes",
"com_auth_already_have_account": "Har du allerede en konto?",
"com_auth_apple_login": "Log ind med Apple",
"com_auth_back_to_login": "Tilbage til login",
"com_auth_click": "Klik",
"com_auth_click_here": "Klik her",
"com_auth_continue": "Fortsæt",
"com_auth_create_account": "Opret din konto",
"com_auth_discord_login": "Fortsæt med Discord",
"com_auth_email": "E-mail",
"com_auth_email_address": "E-mail-adresse",
"com_auth_email_max_length": "E-mailen bør ikke være længere end 120 tegn",
"com_auth_email_min_length": "E-mail skal være på mindst 6 tegn",
"com_auth_email_pattern": "Du skal indtaste en gyldig e-mailadresse",
"com_auth_email_required": "E-mail er påkrævet",
"com_auth_email_resend_link": "Send e-mail igen",
"com_auth_email_resent_failed": "Kunne ikke sende bekræftelsesmail igen",
"com_auth_email_resent_success": "Bekræftelsesmail sendt igen med succes",
"com_auth_email_verification_failed": "Bekræftelse af e-mail mislykkedes",
"com_auth_email_verification_failed_token_missing": "Bekræftelse mislykkedes, token mangler",
"com_auth_email_verification_in_progress": "Bekræfter din e-mail, vent venligst",
"com_auth_email_verification_invalid": "Ugyldig e-mailbekræftelse",
"com_auth_email_verification_redirecting": "Omdirigerer om {{0}} sekunder...",
"com_auth_email_verification_resend_prompt": "Har du ikke modtaget e-mailen?",
"com_auth_email_verification_success": "E-mailadressen er bekræftet",
"com_auth_email_verifying_ellipsis": "Verificerer...",
"com_auth_error_create": "Der opstod en fejl under forsøget på at oprette din konto. Prøv venligst igen.",
"com_auth_error_invalid_reset_token": "Dette token til nulstilling af adgangskode er ikke længere gyldigt.",
"com_auth_error_login": "Det er ikke muligt at logge ind med de angivne oplysninger. Tjek venligst dine oplysninger og prøv igen.",
"com_auth_error_login_ban": "Din konto er midlertidigt blevet blokeret på grund af overtrædelser af vores tjenestevilkår.",
"com_auth_error_login_rl": "For mange loginforsøg på kort tid. Prøv igen senere.",
"com_auth_error_login_server": "Der opstod en intern serverfejl. Vent venligst et øjeblik og prøv igen.",
"com_auth_error_login_unverified": "Din konto er ikke blevet verificeret. Tjek venligst din e-mail for et bekræftelseslink.",
"com_auth_facebook_login": "Fortsæt med Facebook",
"com_auth_full_name": "Fuldt navn",
"com_auth_github_login": "Fortsæt med Github",
"com_auth_google_login": "Fortsæt med Google",
"com_auth_here": "HER",
"com_auth_login": "Log ind",
"com_auth_login_with_new_password": "Du kan nu logge ind med din nye adgangskode.",
"com_auth_name_max_length": "Navnet skal være mindre end 80 tegn",
"com_auth_name_min_length": "Navnet skal bestå af mindst 3 tegn",
"com_auth_name_required": "Navn er påkrævet",
"com_auth_no_account": "Har du ikke en konto?",
"com_auth_password": "Adgangskode",
"com_auth_password_confirm": "Bekræft adgangskode",
"com_auth_password_forgot": "Glemt adgangskode?",
"com_auth_password_max_length": "Adgangskoden skal være mindre end 128 tegn",
"com_auth_password_min_length": "Adgangskoden skal bestå af mindst 8 tegn",
"com_auth_password_not_match": "Adgangskoderne stemmer ikke overens",
"com_auth_password_required": "Adgangskode er påkrævet",
"com_auth_registration_success_generic": "Tjek venligst din e-mail for at bekræfte din e-mailadresse.",
"com_auth_registration_success_insecure": "Registreringen er gennemført.",
"com_auth_reset_password": "Nulstil din adgangskode",
"com_auth_reset_password_if_email_exists": "Hvis der findes en konto med denne e-mail, er der sendt en e-mail med instruktioner til nulstilling af adgangskode. Sørg for at tjekke din spam-mappe.",
"com_auth_reset_password_link_sent": "E-mail sendt",
"com_auth_reset_password_success": "Nulstilling af adgangskode genemført",
"com_auth_sign_in": "Log ind",
"com_auth_sign_up": "Tilmeld dig",
"com_auth_submit_registration": "Send registrering",
"com_auth_to_reset_your_password": "for at nulstille din adgangskode.",
"com_auth_to_try_again": "for at prøve igen.",
"com_auth_two_factor": "Tjek din foretrukne applikation til engangskodeord til en kode",
"com_auth_username": "Brugernavn (valgfrit)",
"com_auth_username_max_length": "Brugernavn skal være mindre end 20 tegn",
"com_auth_username_min_length": "Brugernavn skal være mindst 2 tegn",
"com_auth_verify_your_identity": "Bekræft din identitet",
"com_auth_welcome_back": "Velkommen tilbage",
"com_click_to_download": "(klik her for at downloade)",
"com_download_expired": "(download udløbet)",
"com_download_expires": "(klik her for at downloade - udløber {{0}})",
"com_endpoint": "Slutpunkt",
"com_endpoint_agent": "Agent",
"com_endpoint_agent_model": "Agentmodel (anbefalet: GPT-3.5)",
"com_endpoint_agent_placeholder": "Vælg venligst en agent",
"com_endpoint_ai": "AI",
"com_endpoint_anthropic_maxoutputtokens": "Maksimalt antal tokens, der kan genereres i svaret. Angiv en lavere værdi for kortere svar og en højere værdi for længere svar. Bemærk: Modeller kan stoppe, før de når dette maksimum.",
"com_endpoint_anthropic_prompt_cache": "Prompt caching gør det muligt at genbruge store kontekster eller instruktioner på tværs af API-kald, hvilket reducerer omkostninger og ventetid.",
"com_endpoint_anthropic_temp": "Spænder fra 0 til 1. Brug temp tættere på 0 til analytiske/ multiple choice-opgaver og tættere på 1 til kreative og generative opgaver. Vi anbefaler at ændre dette eller Top P, men ikke begge dele.",
"com_endpoint_assistant": "Assistent",
"com_endpoint_assistant_model": "Assistentmodel",
"com_endpoint_assistant_placeholder": "Vælg en assistent fra sidepanelet til højre",
"com_endpoint_completion": "Færdiggørelse",
"com_endpoint_completion_model": "Færdiggørelsesmodel (anbefalet: GPT-4)",
"com_endpoint_config_click_here": "Klik her",
"com_endpoint_config_google_api_info": "For at få din Generative Language API-nøgle (til Gemini),",
"com_endpoint_config_google_api_key": "Google API-nøgle",
"com_endpoint_config_google_cloud_platform": "(fra Google Cloud Platform)",
"com_endpoint_config_google_gemini_api": "(Gemini API)",
"com_endpoint_config_google_service_key": "Google Service Konto -nøgle",
"com_endpoint_config_key": "Angiv API-nøgle",
"com_endpoint_config_key_for": "Indstil API-nøgle til",
"com_endpoint_config_key_google_need_to": "Du er nødt til at",
"com_endpoint_config_key_google_service_account": "Opret en servicekonto",
"com_endpoint_config_key_google_vertex_ai": "Aktivér Vertex AI",
"com_endpoint_config_key_google_vertex_api": "API på Google Cloud, så",
"com_endpoint_config_key_google_vertex_api_role": "Sørg for at klikke på \"Opret og fortsæt\" for i det mindste at give rollen \"Vertex AI-bruger\". Til sidst skal du oprette en JSON-nøgle, som du kan importere her.",
"com_endpoint_config_key_import_json_key": "Importer JSON-nøgle til servicekonto.",
"com_endpoint_config_key_import_json_key_invalid": "Ugyldig JSON-nøgle til servicekonto. Har du importeret den korrekte fil?",
"com_endpoint_config_key_import_json_key_success": "Importeret JSON-nøgle til servicekonto med succes",
"com_endpoint_config_key_name": "Nøgle",
"com_endpoint_config_key_never_expires": "Din nøgle udløber aldrig",
"com_endpoint_config_placeholder": "Indstil din nøgle i overskriftsmenuen til chat.",
"com_endpoint_config_value": "Indtast værdi for",
"com_endpoint_context": "Kontekst",
"com_endpoint_context_info": "Det maksimale antal tokens, der kan bruges til kontekst. Brug dette til at kontrollere, hvor mange tokens der sendes pr. anmodning. Hvis den ikke er specificeret, bruges systemets standardværdier baseret på kendte modellers kontekststørrelse. Indstilling af højere værdier kan resultere i fejl og/eller højere token-omkostninger.",
"com_endpoint_context_tokens": "Maks. kontekst-tokens",
"com_endpoint_custom_name": "Brugerdefineret navn",
"com_endpoint_default": "standard",
"com_endpoint_default_blank": "standard: blank",
"com_endpoint_default_empty": "standard: tom",
"com_endpoint_default_with_num": "standard: {{0}}",
"com_endpoint_deprecated": "Udgået",
"com_endpoint_deprecated_info": "Dette slutpunkt er forældet og kan blive fjernet i fremtidige versioner, brug venligst agentens slutpunkt i stedet.",
"com_endpoint_deprecated_info_a11y": "Plugin-slutpunktet er forældet og kan blive fjernet i fremtidige versioner, brug venligst agent-slutpunktet i stedet.",
"com_endpoint_examples": " Forudindstillinger",
"com_endpoint_export": "Eksport",
"com_endpoint_export_share": "Eksportér/Del",
"com_endpoint_frequency_penalty": "Frekvensstraf",
"com_endpoint_func_hover": "Gør det muligt at bruge plugins som OpenAI-funktioner",
"com_endpoint_google_custom_name_placeholder": "Indstil et brugerdefineret navn til Google",
"com_endpoint_google_maxoutputtokens": "Maksimalt antal tokens, der kan genereres i svaret. Angiv en lavere værdi for kortere svar og en højere værdi for længere svar. Bemærk: Modeller kan stoppe, før de når dette maksimum.",
"com_endpoint_google_temp": "Højere værdier = mere tilfældige, mens lavere værdier = mere fokuserede og deterministiske. Vi anbefaler at ændre dette eller Top P, men ikke begge dele.",
"com_endpoint_instructions_assistants": "Overskriv instruktioner",
"com_endpoint_instructions_assistants_placeholder": "Overstyrer instruktionerne fra assistenten. Det er nyttigt, hvis man vil ændre adfærden for hver enkelt kørsel.",
"com_endpoint_max_output_tokens": "Maks. output-tokens",
"com_endpoint_message": "Besked",
"com_endpoint_message_new": "Besked {{0}}",
"com_endpoint_message_not_appendable": "Rediger din besked eller regenererer.",
"com_endpoint_my_preset": "Min forudindstilling",
"com_endpoint_no_presets": "Ingen forudindstillinger endnu, brug indstillingsknappen til at oprette en",
"com_endpoint_open_menu": "Åbn menu",
"com_endpoint_openai_custom_name_placeholder": "Indstil et brugerdefineret navn til AI'en",
"com_endpoint_output": "Produktion",
"com_endpoint_plug_image_detail": "Billeddetaljer",
"com_endpoint_plug_resend_files": "Send filer igen",
"com_endpoint_plug_set_custom_instructions_for_gpt_placeholder": "Indstil brugerdefinerede instruktioner, der skal inkluderes i systembeskeden. Standard: ingen",
"com_endpoint_plug_skip_completion": "Spring fuldførelse over",
"com_endpoint_plug_use_functions": "Brug funktioner",
"com_endpoint_presence_penalty": "Straf for tilstedeværelse",
"com_endpoint_preset": "forudindstillet",
"com_endpoint_preset_custom_name_placeholder": "Noget skal være her. Det var tomt.",
"com_endpoint_preset_default": "er nu standardindstillingen.",
"com_endpoint_preset_default_item": "Standard:",
"com_endpoint_preset_default_none": "Ingen standardindstilling aktiv.",
"com_endpoint_preset_default_removed": "er ikke længere standardindstillingen.",
"com_endpoint_preset_delete_confirm": "Er du sikker på, at du vil slette denne forudindstilling?",
"com_endpoint_preset_delete_error": "Der opstod en fejl ved sletning af din forudindstilling. Prøv venligst igen.",
"com_endpoint_preset_import": "Forudindstilling importeret!",
"com_endpoint_preset_import_error": "Der opstod en fejl ved import af din forudindstilling. Prøv venligst igen.",
"com_endpoint_preset_name": "Forudindstillet navn",
"com_endpoint_preset_save_error": "Der opstod en fejl, da du gemte din forudindstilling. Prøv venligst igen.",
"com_endpoint_preset_selected": "Forudindstilling aktiv!",
"com_endpoint_preset_selected_title": "Aktiv!",
"com_endpoint_preset_title": "Forudindstilling",
"com_endpoint_presets": "forudindstillinger",
"com_endpoint_presets_clear_warning": "Er du sikker på, at du vil slette alle forudindstillinger? Dette kan ikke fortrydes.",
"com_endpoint_prompt_cache": "Brug prompt caching",
"com_endpoint_prompt_prefix": "Brugerdefinerede instruktioner",
"com_endpoint_prompt_prefix_assistants": "Yderligere instruktioner",
"com_endpoint_prompt_prefix_assistants_placeholder": "Sæt yderligere instruktioner eller kontekst oven på assistentens hovedinstruktioner. Ignoreres, hvis den er tom.",
"com_endpoint_prompt_prefix_placeholder": "Indstil brugerdefinerede instruktioner eller kontekst. Ignoreres, hvis den er tom.",
"com_endpoint_reasoning_effort": "Indsats for ræsonnement",
"com_endpoint_save_as_preset": "Gem som forudindstilling",
"com_endpoint_search": "Søg slutpunkt efter navn",
"com_endpoint_search_endpoint_models": "Søg efter {{0}} modeller...",
"com_endpoint_search_models": "Søg modeller...",
"com_endpoint_search_var": "Søg {{0}}...",
"com_endpoint_set_custom_name": "Indstil et brugerdefineret navn, hvis du kan finde denne forudindstilling",
"com_endpoint_skip_hover": "Gør det muligt at springe over færdiggørelsestrinnet, som gennemgår det endelige svar og de genererede trin",
"com_endpoint_stop": "Stop-sekvenser",
"com_endpoint_stop_placeholder": "Adskil værdier ved at trykke på `Enter`.",
"com_endpoint_temperature": "Temperatur",
"com_endpoint_thinking": "Tænker",
"com_endpoint_thinking_budget": "Tænkebudget",
"com_endpoint_top_k": "Top K",
"com_endpoint_top_p": "Top P",
"com_endpoint_use_active_assistant": "Brug aktiv assistent",
"com_error_expired_user_key": "Leveret nøgle til {{0}} udløbet på {{1}}. Angiv venligst en ny nøgle og prøv igen.",
"com_error_files_dupe": "Duplikatfil fundet.",
"com_error_files_empty": "Tomme filer er ikke tilladt.",
"com_error_files_process": "Der opstod en fejl under behandlingen af filen.",
"com_error_files_unsupported_capability": "Ingen funktioner er aktiveret, der understøtter denne filtype.",
"com_error_files_upload": "Der opstod en fejl under upload af filen.",
"com_error_files_upload_canceled": "Anmodningen om filoverførsel blev annulleret. Bemærk: Filuploaden kan stadig være under behandling og skal slettes manuelt.",
"com_error_files_validation": "Der opstod en fejl under validering af filen.",
"com_error_invalid_user_key": "Ugyldig nøgle angivet. Angiv venligst en gyldig nøgle, og prøv igen.",
"com_error_no_base_url": "Ingen base-URL fundet. Angiv venligst en og prøv igen.",
"com_error_no_user_key": "Ingen nøgle fundet. Angiv venligst en nøgle, og prøv igen.",
"com_files_filter": "Filtrer filer ...",
"com_files_no_results": "Ingen resultater.",
"com_files_number_selected": "{{0}} af {{1}} valgte elementer",
"com_files_table": "Der skal ske noget her. Det var tomt.",
"com_generated_files": "Genererede filer:",
"com_hide_examples": "Skjul eksempler",
"com_nav_2fa": "To-faktor godkendelse (2FA)",
"com_nav_account_settings": "Kontoindstillinger",
"com_nav_always_make_prod": "Lav altid nye versioner produktion",
"com_nav_archive_created_at": "Dato arkiveret",
"com_nav_archive_name": "Navn",
"com_nav_archived_chats": "Arkiverede chats",
"com_nav_at_command": "@-Kommando",
"com_nav_at_command_description": "Skift kommandoen \"@\" for at skifte slutpunkter, modeller, forudindstillinger osv.",
"com_nav_audio_play_error": "Fejl ved afspilning af lyd: {{0}}",
"com_nav_audio_process_error": "Fejl ved behandling af lyd: {{0}}",
"com_nav_auto_scroll": "Auto-scroll til seneste besked, når chatten er åben",
"com_nav_auto_send_prompts": "Automatisk afsendelse af prompte",
"com_nav_auto_send_text": "Send tekst automatisk",
"com_nav_auto_send_text_disabled": "sæt -1 for at deaktivere",
"com_nav_auto_transcribe_audio": "Automatisk transskribering af lyd",
"com_nav_automatic_playback": "Autoplay Seneste besked",
"com_nav_balance": "Balance",
"com_nav_browser": "Browser",
"com_nav_center_chat_input": "Center Chat Input på velkomstskærmen",
"com_nav_change_picture": "Skift billede",
"com_nav_chat_commands": "Chat-kommandoer",
"com_nav_chat_commands_info": "Disse kommandoer aktiveres ved at skrive bestemte tegn i begyndelsen af din besked. Hver kommando udløses af det angivne præfiks. Du kan deaktivere dem, hvis du ofte bruger disse tegn til at starte beskeder.",
"com_nav_chat_direction": "Chat-retning",
"com_nav_clear_all_chats": "Ryd alle chats",
"com_nav_clear_cache_confirm_message": "Er du sikker på, at du vil rydde cachen?",
"com_nav_clear_conversation": "Ryd samtaler",
"com_nav_clear_conversation_confirm_message": "Er du sikker på, at du vil slette alle samtaler? Dette kan ikke fortrydes.",
"com_nav_close_sidebar": "Luk sidepanelet",
"com_nav_commands": "Kommandoer",
"com_nav_confirm_clear": "Bekræft Ryd",
"com_nav_conversation_mode": "Samtaletilstand",
"com_nav_convo_menu_options": "Menuindstillinger for samtale",
"com_nav_db_sensitivity": "Decibelfølsomhed",
"com_nav_delete_account": "Slet konto",
"com_nav_delete_account_button": "Slet min konto permanent",
"com_nav_delete_account_confirm": "Slet konto - er du sikker?",
"com_nav_delete_account_email_placeholder": "Indtast venligst din konto-e-mail",
"com_nav_delete_cache_storage": "Slet TTS-cache-lagring",
"com_nav_delete_data_info": "Alle dine data vil blive slettet.",
"com_nav_delete_warning": "ADVARSEL: Dette vil slette din konto permanent.",
"com_nav_edit_chat_badges": "Rediger chat-badges",
"com_nav_enable_cache_tts": "Aktivér cache-TTS",
"com_nav_enable_cloud_browser_voice": "Brug cloud-baserede stemmer",
"com_nav_enabled": "Aktiveret",
"com_nav_engine": "Motor",
"com_nav_enter_to_send": "Tryk på Enter for at sende beskeder",
"com_nav_export": "Eksport",
"com_nav_export_all_message_branches": "Eksporter alle meddelelsesgrene",
"com_nav_export_conversation": "Eksporter samtale",
"com_nav_export_filename": "Filnavn",
"com_nav_export_filename_placeholder": "Angiv filnavnet",
"com_nav_export_include_endpoint_options": "Inkluder slutpunktsindstillinger",
"com_nav_export_recursive": "Rekursiv",
"com_nav_export_recursive_or_sequential": "Rekursiv eller sekventiel?",
"com_nav_export_type": "Type",
"com_nav_external": "Ekstern",
"com_nav_font_size": "Beskedens skriftstørrelse",
"com_nav_font_size_base": "Mellem",
"com_nav_font_size_lg": "Stor",
"com_nav_font_size_sm": "Lille",
"com_nav_font_size_xl": "Ekstra stor",
"com_nav_font_size_xs": "Ekstra lille",
"com_nav_help_faq": "Hjælp og ofte stillede spørgsmål",
"com_nav_hide_panel": "Skjul højre side-sidepanel",
"com_nav_info_code_artifacts": "Aktiverer visning af eksperimentelle kodeartefakter ved siden af chatten",
"com_nav_info_code_artifacts_agent": "Aktiverer brugen af kodeartefakter for denne agent. Som standard tilføjes yderligere instruktioner specifikke for brugen af artefakter, medmindre \"Brugerdefineret prompttilstand\" er aktiveret.",
"com_nav_info_custom_prompt_mode": "Når den er aktiveret, vil standardsystemprompten for artefakter ikke blive inkluderet. Alle instruktioner til generering af artefakter skal angives manuelt i denne tilstand.",
"com_nav_info_user_name_display": "Når den er aktiveret, vises afsenderens brugernavn over hver besked, du sender. Når det er deaktiveret, vil du kun se \"Du\" over dine beskeder.",
"com_nav_lang_arabic": "Arabisk",
"com_nav_lang_auto": "Automatisk detektion",
"com_nav_lang_brazilian_portuguese": "Portugisisk Brasiliansk",
"com_nav_lang_catalan": "Catalansk",
"com_nav_lang_czech": "Tjekkisk",
"com_nav_lang_danish": "Dansk",
"com_nav_lang_dutch": "Hollandsk",
"com_nav_lang_english": "Engelsk",
"com_nav_lang_finnish": "Finsk",
"com_nav_lang_french": "Fransk ",
"com_nav_lang_german": "Tysk",
"com_nav_lang_indonesia": "Indonesien",
"com_nav_lang_italian": "Italiensk",
"com_nav_lang_japanese": "Japansk",
"com_nav_lang_korean": "Koreansk",
"com_nav_lang_persian": "Farsi",
"com_nav_lang_polish": "Polsk",
"com_nav_lang_portuguese": "Portugisisk",
"com_nav_lang_russian": "Russisk",
"com_nav_lang_spanish": "Spansk",
"com_nav_lang_swedish": "Svensk",
"com_nav_lang_thai": "Thai",
"com_nav_lang_traditional_chinese": "Kinesisk",
"com_nav_lang_turkish": "Tyrkisk",
"com_nav_language": "Sprog",
"com_nav_latex_parsing": "Parsing af LaTeX i beskeder (kan påvirke ydeevnen)",
"com_nav_log_out": "Log ud",
"com_nav_long_audio_warning": "Længere tekster vil tage længere tid at behandle.",
"com_nav_maximize_chat_space": "Maksimer pladsen i chatten",
"com_nav_modular_chat": "Gør det muligt at skifte slutpunkt midt i samtalen",
"com_nav_my_files": "Mine filer",
"com_nav_not_supported": "Ikke understøttet",
"com_nav_open_sidebar": "Åbn sidepanelet",
"com_nav_playback_rate": "Lydafspilningshastighed",
"com_nav_plugin_auth_error": "Der opstod en fejl under forsøget på at godkende dette plugin. Prøv venligst igen.",
"com_nav_plugin_install": "Installer",
"com_nav_plugin_search": "Søg efter plugins",
"com_nav_plugin_store": "Plugin-butik",
"com_nav_plugin_uninstall": "Afinstaller",
"com_nav_plus_command": "+-Kommando",
"com_nav_plus_command_description": "Toggle-kommando \"+\" for at tilføje en multirespons-indstilling",
"com_nav_profile_picture": "Profilbillede",
"com_nav_save_badges_state": "Gem badgenes tilstand",
"com_nav_save_drafts": "Gem kladder lokalt",
"com_nav_scroll_button": "Rul til slutknappen",
"com_nav_search_placeholder": "Søg efter beskeder",
"com_nav_send_message": "Send besked",
"com_nav_setting_account": "Konto",
"com_nav_setting_beta": "Beta-funktioner",
"com_nav_setting_chat": "Chat",
"com_nav_setting_data": "Datakontrol",
"com_nav_setting_general": "Generel",
"com_nav_setting_speech": "Tale",
"com_nav_settings": "Indstillinger",
"com_nav_shared_links": "Delte links",
"com_nav_show_code": "Vis altid kode, når du bruger kodefortolker",
"com_nav_show_thinking": "Åbent tænkende dropdowns som standard",
"com_nav_slash_command": "/-Kommando",
"com_nav_slash_command_description": "Skift kommandoen \"/\" for at vælge en prompt via tastaturet",
"com_nav_speech_to_text": "Tale til tekst",
"com_nav_stop_generating": "Stop med at generere",
"com_nav_text_to_speech": "Tekst til tale",
"com_nav_theme": "Tema",
"com_nav_theme_dark": "Mørk",
"com_nav_theme_light": "Lys",
"com_nav_theme_system": "System",
"com_nav_tool_dialog": "Assistent-værktøjer",
"com_nav_tool_dialog_agents": "Agent-værktøjer",
"com_nav_tool_dialog_description": "Assistenten skal gemmes for at bevare værktøjsvalgene.",
"com_nav_tool_remove": "Fjern",
"com_nav_tool_search": "Søgeværktøjer",
"com_nav_user": "BRUGER",
"com_nav_user_msg_markdown": "Render brugerbeskeder som markdown",
"com_nav_user_name_display": "Vis brugernavn i beskeder",
"com_nav_voice_select": "Stemme",
"com_show_agent_settings": "Vis agentindstillinger",
"com_show_completion_settings": "Vis indstillinger for færdiggørelse",
"com_show_examples": "Vis eksempler",
"com_sidepanel_agent_builder": "Agentbygger",
"com_sidepanel_assistant_builder": "Assistentbygger",
"com_sidepanel_attach_files": "Vedhæft filer",
"com_sidepanel_conversation_tags": "Bogmærker",
"com_sidepanel_hide_panel": "Skjul panel",
"com_sidepanel_manage_files": "Administrer filer",
"com_sidepanel_parameters": "Parametre",
"com_ui_2fa_account_security": "To-faktor-autentificering tilføjer et ekstra lag af sikkerhed til din konto",
"com_ui_2fa_disable": "Deaktiver 2FA",
"com_ui_2fa_disable_error": "Der opstod en fejl ved deaktivering af to-faktor-autentificering",
"com_ui_2fa_disabled": "2FA er blevet deaktiveret",
"com_ui_2fa_enable": "Aktivér 2FA",
"com_ui_2fa_enabled": "2FA er blevet aktiveret",
"com_ui_2fa_generate_error": "Der opstod en fejl ved generering af indstillinger for to-faktor-godkendelse",
"com_ui_2fa_invalid": "Ugyldig kode til to-faktor-autentificering",
"com_ui_2fa_setup": "Opsætning af 2FA",
"com_ui_2fa_verified": "Tofaktorgodkendelse bekræftet",
"com_ui_accept": "Jeg accepterer",
"com_ui_action_button": "Handlingsknap",
"com_ui_add": "Tilføj",
"com_ui_add_model_preset": "Tilføj en model eller en forudindstilling for et ekstra svar",
"com_ui_add_multi_conversation": "Tilføj multikonversation",
"com_ui_adding_details": "Tilføjer detaljer",
"com_ui_admin": "Admin",
"com_ui_admin_access_warning": "Deaktivering af administratoradgang til denne funktion kan forårsage uventede UI-problemer, der kræver opdatering. Hvis den gemmes, er den eneste måde at vende tilbage på via grænsefladeindstillingen i librechat.yaml config, som påvirker alle roller.",
"com_ui_admin_settings": "Administratorindstillinger",
"com_ui_advanced": "Avanceret",
"com_ui_advanced_settings": "Avancerede indstillinger",
"com_ui_agent": "Agent",
"com_ui_agent_chain": "Agentkæde (blanding af agenter)",
"com_ui_agent_chain_info": "Gør det muligt at oprette sekvenser af agenter. Hver agent kan få adgang til output fra tidligere agenter i kæden. Baseret på \"Mixture-of-Agents\"-arkitekturen, hvor agenter bruger tidligere output som hjælpeinformation.",
"com_ui_agent_chain_max": "Du har nået det maksimale antal {{0}} agenter.",
"com_ui_agent_delete_error": "Der opstod en fejl ved sletning af agenten",
"com_ui_agent_deleted": "Agenten blev slettet",
"com_ui_agent_duplicate_error": "Der opstod en fejl under duplikering af agenten",
"com_ui_agent_duplicated": "Agent duplikeret med succes",
"com_ui_agent_editing_allowed": "Andre brugere kan allerede redigere denne agent",
"com_ui_agent_recursion_limit": "Maks. agent-trin",
"com_ui_agent_recursion_limit_info": "Begrænser, hvor mange trin agenten kan tage i en kørsel, før den giver et endeligt svar. Standard er 25 trin. Et trin er enten en AI API-anmodning eller en værktøjsbrugsrunde. For eksempel tager en grundlæggende værktøjsinteraktion 3 trin: indledende anmodning, værktøjsbrug og opfølgende anmodning.",
"com_ui_agent_shared_to_all": "Der skal stå noget her. Det var tomt.",
"com_ui_agent_var": "{{0}} agent",
"com_ui_agents": "Agenter",
"com_ui_agents_allow_create": "Tillad oprettelse af agenter",
"com_ui_agents_allow_share_global": "Tillad deling af agenter til alle brugere",
"com_ui_agents_allow_use": "Tillad brug af agenter",
"com_ui_all": "alle",
"com_ui_all_proper": "Alle",
"com_ui_analyzing": "Analyserer",
"com_ui_analyzing_finished": "Færdig med at analysere",
"com_ui_api_key": "API-nøgle",
"com_ui_archive": "Arkiv",
"com_ui_archive_delete_error": "Kunne ikke slette arkiveret samtale",
"com_ui_archive_error": "Kunne ikke arkivere samtale",
"com_ui_artifact_click": "Klik for at åbne",
"com_ui_artifacts": "Artefakter",
"com_ui_artifacts_toggle": "Skift artefakter UI",
"com_ui_artifacts_toggle_agent": "Aktiver artefakter",
"com_ui_ascending": "Stigende",
"com_ui_assistant": "Assistent",
"com_ui_assistant_delete_error": "Der opstod en fejl ved sletning af assistenten",
"com_ui_assistant_deleted": "Assistenten er slettet",
"com_ui_assistants": "Assistenter",
"com_ui_assistants_output": "Assistenter Output",
"com_ui_attach_error": "Kan ikke vedhæfte en fil. Opret eller vælg en samtale, eller prøv at opdatere siden.",
"com_ui_attach_error_openai": "Kan ikke vedhæfte Assistant-filer til andre slutpunkter",
"com_ui_attach_error_size": "Grænsen for filstørrelse er overskredet for slutpunktet:",
"com_ui_attach_error_type": "Ikke-understøttet filtype for slutpunkt:",
"com_ui_attach_remove": "Fjern fil",
"com_ui_attach_warn_endpoint": "Ikke-assistent filer kan ignoreres uden et kompatibelt værktøj",
"com_ui_attachment": "Vedhæftning",
"com_ui_auth_type": "Godkendelsestype",
"com_ui_auth_url": "Godkendelse URL",
"com_ui_authentication": "Godkendelse",
"com_ui_authentication_type": "Godkendelsestype",
"com_ui_avatar": "Avatar",
"com_ui_azure": "Azure",
"com_ui_back_to_chat": "Tilbage til chat",
"com_ui_back_to_prompts": "Tilbage til Prompts",
"com_ui_backup_codes": "Backupkoder",
"com_ui_backup_codes_regenerate_error": "Der opstod en fejl ved genskabelse af backup-koder",
"com_ui_backup_codes_regenerated": "Backupkoder er blevet genereret",
"com_ui_basic": "Grundlæggende",
"com_ui_basic_auth_header": "Grundlæggende autorisationsheader",
"com_ui_bearer": "Bærer",
"com_ui_bookmark_delete_confirm": "Er du sikker på, at du vil slette dette bogmærke?",
"com_ui_bookmarks": "Bogmærker",
"com_ui_bookmarks_add": "Tilføj bogmærker",
"com_ui_bookmarks_add_to_conversation": "Tilføj til aktuel samtale",
"com_ui_bookmarks_count": "Antal",
"com_ui_bookmarks_create_error": "Der opstod en fejl ved oprettelsen af bogmærket",
"com_ui_bookmarks_create_exists": "Dette bogmærke findes allerede",
"com_ui_bookmarks_create_success": "Bogmærke oprettet",
"com_ui_bookmarks_delete": "Slet bogmærke",
"com_ui_bookmarks_delete_error": "Der opstod en fejl ved sletning af bogmærket",
"com_ui_bookmarks_delete_success": "Bogmærke slettet",
"com_ui_bookmarks_description": "Beskrivelse",
"com_ui_bookmarks_edit": "Rediger bogmærke",
"com_ui_bookmarks_filter": "Filtrer bogmærker...",
"com_ui_bookmarks_new": "Nyt bogmærke",
"com_ui_bookmarks_title": "Titel",
"com_ui_bookmarks_update_error": "Der opstod en fejl ved opdateringen af bogmærket",
"com_ui_bookmarks_update_success": "Bogmærket er blevet opdateret",
"com_ui_bulk_delete_error": "Kunne ikke slette delte links",
"com_ui_callback_url": "URL til tilbagekaldelse",
"com_ui_cancel": "Annuller",
"com_ui_category": "Kategori",
"com_ui_chat": "Chat",
"com_ui_chat_history": "Chathistorik",
"com_ui_clear": "Ryd",
"com_ui_clear_all": "Ryd alle",
"com_ui_client_id": "Klient-ID",
"com_ui_client_secret": "Klienthemmelighed",
"com_ui_close": "Luk",
"com_ui_close_menu": "Luk menu",
"com_ui_code": "Kode",
"com_ui_collapse_chat": "Sammenklap Chat",
"com_ui_command_placeholder": "Valgfrit: Indtast en kommando for den prompt eller det navn, der skal bruges",
"com_ui_command_usage_placeholder": "Vælg en Prompt efter kommando eller navn",
"com_ui_complete_setup": "Fuldfør opsætning",
"com_ui_confirm_action": "Bekræft handling",
"com_ui_confirm_admin_use_change": "Hvis du ændrer denne indstilling, blokeres adgangen for administratorer, inklusive dig selv. Er du sikker på, at du vil fortsætte?",
"com_ui_confirm_change": "Bekræft ændring",
"com_ui_context": "Kontekst",
"com_ui_continue": "Fortsæt",
"com_ui_convo_delete_error": "Kunne ikke slette samtalen",
"com_ui_copied": "Kopieret!",
"com_ui_copied_to_clipboard": "Kopieret til udklipsholder",
"com_ui_copy_code": "Kopier kode",
"com_ui_copy_link": "Kopier link",
"com_ui_copy_to_clipboard": "Kopier til udklipsholder",
"com_ui_create": "Opret",
"com_ui_create_link": "Opret link",
"com_ui_create_prompt": "Opret prompt",
"com_ui_creating_image": "Opretter billede. Det kan tage et øjeblik.",
"com_ui_currently_production": "I øjeblikket i produktion",
"com_ui_custom": "Brugerdefineret",
"com_ui_custom_header_name": "Brugerdefineret overskriftsnavn",
"com_ui_custom_prompt_mode": "Brugerdefineret prompttilstand",
"com_ui_dashboard": "Dashboard",
"com_ui_date": "Dato",
"com_ui_date_april": "April",
"com_ui_date_august": "August",
"com_ui_date_december": "December",
"com_ui_date_february": "Februar",
"com_ui_date_january": "Januar",
"com_ui_date_july": "Juli",
"com_ui_date_june": "Juni",
"com_ui_date_march": "Marts",
"com_ui_date_may": "Maj",
"com_ui_date_november": "November",
"com_ui_date_october": "Oktober",
"com_ui_date_previous_30_days": "Forrige 30 dage",
"com_ui_date_previous_7_days": "Forrige 7 dage",
"com_ui_date_september": "September",
"com_ui_date_today": "I dag",
"com_ui_date_yesterday": "I går",
"com_ui_decline": "Jeg accepterer ikke",
"com_ui_default_post_request": "Standard (POST-anmodning)",
"com_ui_delete": "Slet",
"com_ui_delete_action": "Slet handling",
"com_ui_delete_action_confirm": "Er du sikker på, at du vil slette denne handling?",
"com_ui_delete_agent_confirm": "Er du sikker på, at du vil slette denne agent?",
"com_ui_delete_assistant_confirm": "Er du sikker på, at du vil slette denne assistent? Dette kan ikke fortrydes.",
"com_ui_delete_confirm": "Dette vil slette",
"com_ui_delete_confirm_prompt_version_var": "Dette vil slette den valgte version for \"{{0}}\" Hvis der ikke findes andre versioner, slettes prompten.",
"com_ui_delete_conversation": "Slet chat?",
"com_ui_delete_prompt": "Slet prompt?",
"com_ui_delete_shared_link": "Slet det delte link?",
"com_ui_delete_tool": "Slet værktøj",
"com_ui_delete_tool_confirm": "Er du sikker på, at du vil slette dette værktøj?",
"com_ui_descending": "Beskrivelse",
"com_ui_description": "Beskrivelse",
"com_ui_description_placeholder": "Valgfrit: Indtast en beskrivelse, der skal vises for prompten",
"com_ui_disabling": "Deaktiverer...",
"com_ui_download": "Download",
"com_ui_download_artifact": "Download artefakt",
"com_ui_download_backup": "Download sikkerhedskoder",
"com_ui_download_backup_tooltip": "Før du fortsætter, skal du downloade dine backup-koder. Du skal bruge dem til at få adgang igen, hvis du mister din autentificeringsenhed.",
"com_ui_download_error": "Fejl ved download af fil. Filen er muligvis blevet slettet.",
"com_ui_drag_drop": "Der skal ske noget her. Det var tomt.",
"com_ui_dropdown_variables": "Dropdown-variabler:",
"com_ui_dropdown_variables_info": "Opret brugerdefinerede dropdown-menuer til dine prompts: `{{variable_name:option1|option2|option3}}`",
"com_ui_duplicate": "Duplikat",
"com_ui_duplication_error": "Der opstod en fejl ved kopieringen af samtalen",
"com_ui_duplication_processing": "Duplikering af samtale...",
"com_ui_duplication_success": "Samtalen er duplikeret",
"com_ui_edit": "Rediger",
"com_ui_edit_editing_image": "Redigering af billede",
"com_ui_empty_category": "-",
"com_ui_endpoint": "Slutpunkt",
"com_ui_endpoint_menu": "LLM-slutpunktsmenu",
"com_ui_enter": "Indtast",
"com_ui_enter_api_key": "Indtast API-nøgle",
"com_ui_enter_openapi_schema": "Indtast dit OpenAPI-skema her",
"com_ui_error": "Fejl",
"com_ui_error_connection": "Fejl i forbindelse med serveren, prøv at opdatere siden.",
"com_ui_error_save_admin_settings": "Der opstod en fejl, da du gemte dine administratorindstillinger.",
"com_ui_examples": "Eksempler",
"com_ui_expand_chat": "Udvid chatten",
"com_ui_export_convo_modal": "Eksporter samtale-modal",
"com_ui_field_required": "Dette felt er påkrævet",
"com_ui_files": "Filer",
"com_ui_filter_prompts": "Filtrer prompter",
"com_ui_filter_prompts_name": "Filtrer prompter efter navn",
"com_ui_final_touch": "Sidste hånd på værket",
"com_ui_finance": "Finans",
"com_ui_fork": "Forgrening",
"com_ui_fork_all_target": "Inkluder alle til/fra her",
"com_ui_fork_branches": "Inkluder relaterede grene",
"com_ui_fork_change_default": "Standard forgreningindstilling",
"com_ui_fork_default": "Brug standard forgreningsmulighed",
"com_ui_fork_error": "Der opstod en fejl under forgreningen af samtalen",
"com_ui_fork_from_message": "Vælg en forgreningsmulighed",
"com_ui_fork_remember": "Husk ",
"com_ui_fork_remember_checked": "Dit valg vil blive husket efter brug. Du kan til enhver tid ændre det i indstillingerne.",
"com_ui_fork_visible": "Kun synlige beskeder",
"com_ui_generate_backup": "Generer backup-koder",
"com_ui_generate_qrcode": "Generer QR-kode",
"com_ui_generating": "Genererer...",
"com_ui_getting_started": "Kom godt i gang",
"com_ui_global_group": "Der skal ske noget her. Det var tomt.",
"com_ui_go_back": "Gå tilbage",
"com_ui_go_to_conversation": "Gå til samtale",
"com_ui_good_afternoon": "God eftermiddag",
"com_ui_good_evening": "God aften",
"com_ui_good_morning": "Godmorgen",
"com_ui_happy_birthday": "Det er min 1. fødselsdag!",
"com_ui_hide_qr": "Skjul QR-kode",
"com_ui_host": "Vært",
"com_ui_idea": "Idéer",
"com_ui_image_created": "Billede oprettet",
"com_ui_image_edited": "Billede redigeret",
"com_ui_image_gen": "Billedgenerering",
"com_ui_import": "Import",
"com_ui_import_conversation_error": "Der opstod en fejl ved import af dine samtaler",
"com_ui_import_conversation_file_type_error": "Ikke-understøttet importtype",
"com_ui_import_conversation_info": "Importer samtaler fra en JSON-fil",
"com_ui_import_conversation_success": "Samtaler importeret med succes",
"com_ui_include_shadcnui": "Inkluder instruktioner til shadcn/ui-komponenter",
"com_ui_include_shadcnui_agent": "Inkluder instruktioner til shadcn/ui",
"com_ui_input": "Input",
"com_ui_instructions": "Instruktioner",
"com_ui_late_night": "Glædelig sen aften",
"com_ui_latest_footer": "Hver eneste AI for alle.",
"com_ui_latest_production_version": "Seneste produktionsversion",
"com_ui_latest_version": "Seneste version",
"com_ui_librechat_code_api_key": "Få din LibreChat Code Interpreter API-nøgle",
"com_ui_librechat_code_api_subtitle": "Sikkert. Flersproget. Input/output-filer.",
"com_ui_librechat_code_api_title": "Kør AI-kode",
"com_ui_loading": "Indlæser...",
"com_ui_locked": "Låst",
"com_ui_logo": "{{0}} Logo",
"com_ui_manage": "Administrer",
"com_ui_max_tags": "Det maksimalt tilladte antal er {{0}}ved at bruge de nyeste værdier.",
"com_ui_mcp_servers": "MCP-servere",
"com_ui_mention": "Nævn et slutpunkt, en assistent eller en forudindstilling for hurtigt at skifte til det",
"com_ui_min_tags": "Kan ikke fjerne flere værdier, mindst {{0}} er påkrævet.",
"com_ui_misc": "Diverse.",
"com_ui_model": "Model",
"com_ui_model_parameters": "Modelparametre",
"com_ui_more_info": "Mere info",
"com_ui_my_prompts": "Mine prompte",
"com_ui_name": "Navn",
"com_ui_new": "Ny",
"com_ui_new_chat": "Ny chat",
"com_ui_new_conversation_title": "Titel på ny samtale",
"com_ui_next": "Næste",
"com_ui_no": "Nej",
"com_ui_no_backup_codes": "Ingen backup-koder tilgængelige. Generer venligst nye",
"com_ui_no_bookmarks": "Det ser ud til, at du ikke har nogen bogmærker endnu. Klik på en chat og tilføj en ny",
"com_ui_no_category": "Ingen kategori",
"com_ui_no_changes": "Ingen ændringer til opdatering",
"com_ui_no_data": "Der skal ske noget her. Det var tomt.",
"com_ui_no_terms_content": "Intet indhold med vilkår og betingelser at vise",
"com_ui_no_valid_items": "Der skal ske noget her. Det var tomt.",
"com_ui_none": "Ingen",
"com_ui_not_used": "Ikke brugt",
"com_ui_nothing_found": "Intet fundet",
"com_ui_oauth": "OAuth",
"com_ui_of": "af",
"com_ui_off": "Slukket",
"com_ui_on": "Tændt",
"com_ui_openai": "OpenAI",
"com_ui_page": "Side",
"com_ui_prev": "Forrig",
"com_ui_preview": "Forhåndsvisning",
"com_ui_privacy_policy": "Privatlivspolitik",
"com_ui_privacy_policy_url": "URL til privatlivspolitik",
"com_ui_prompt": "Prompt",
"com_ui_prompt_already_shared_to_all": "Denne prompt er allerede delt til alle brugere",
"com_ui_prompt_name": "Prompt navn",
"com_ui_prompt_name_required": "Navn på prompt er påkrævet",
"com_ui_prompt_preview_not_shared": "Forfatteren har ikke tilladt samarbejde om denne opfordring.",
"com_ui_prompt_text": "Tekst",
"com_ui_prompt_text_required": "Tekst er påkrævet",
"com_ui_prompt_update_error": "Der opstod en fejl ved opdatering af prompten",
"com_ui_prompts": "Prompte",
"com_ui_prompts_allow_create": "Tillad oprettelse af Prompte",
"com_ui_prompts_allow_share_global": "Tillad deling af Prompte til alle brugere",
"com_ui_prompts_allow_use": "Tillad brug af prompte",
"com_ui_provider": "Udbyder",
"com_ui_read_aloud": "Læs højt",
"com_ui_redirecting_to_provider": "Omdirigerer til {{0}}, vent venligst ...",
"com_ui_refresh_link": "Opdater link",
"com_ui_regenerate": "Regenerer",
"com_ui_regenerate_backup": "Genskab backupkoder",
"com_ui_regenerating": "Regenererer...",
"com_ui_region": "Region",
"com_ui_rename": "Omdøb",
"com_ui_rename_conversation": "Omdøb samtalen",
"com_ui_rename_failed": "Kunne ikke omdøbe samtalen",
"com_ui_rename_prompt": "Omdøb prompt",
"com_ui_requires_auth": "Kræver godkendelse",
"com_ui_reset_var": "Nulstil {{0}}",
"com_ui_result": "Resultat",
"com_ui_revoke": "Tilbagekald",
"com_ui_revoke_info": "Tilbagekald alle brugerens legitimationsoplysninger",
"com_ui_revoke_key_confirm": "Er du sikker på, at du vil tilbagekalde denne nøgle?",
"com_ui_revoke_key_endpoint": "Tilbagekald nøgle til {{0}}",
"com_ui_revoke_keys": "Tilbagekald nøgler",
"com_ui_revoke_keys_confirm": "Er du sikker på, at du vil tilbagekalde alle nøgler?",
"com_ui_role_select": "Rolle",
"com_ui_roleplay": "Rollespil",
"com_ui_run_code": "Kør kode",
"com_ui_run_code_error": "Der opstod en fejl, da koden blev kørt",
"com_ui_save": "Gem",
"com_ui_save_badge_changes": "Gemme badge-ændringer?",
"com_ui_save_submit": "Gem og send",
"com_ui_saved": "Gemt!",
"com_ui_schema": "Skema",
"com_ui_scope": "Omfang",
"com_ui_search": "Søg",
"com_ui_secret_key": "Hemmelig nøgle",
"com_ui_select": "Vælg",
"com_ui_select_file": "Vælg en fil",
"com_ui_select_model": "Vælg en model",
"com_ui_select_provider": "Vælg en udbyder",
"com_ui_select_provider_first": "Vælg en udbyder først",
"com_ui_select_region": "Vælg en region",
"com_ui_select_search_model": "Søg model efter navn",
"com_ui_select_search_plugin": "Søg plugin efter navn",
"com_ui_select_search_provider": "Søg udbyder efter navn",
"com_ui_select_search_region": "Søg region efter navn",
"com_ui_share": "Del",
"com_ui_share_create_message": "Dit navn og eventuelle beskeder, du tilføjer efter deling, forbliver private.",
"com_ui_share_delete_error": "Der opstod en fejl ved sletning af det delte link",
"com_ui_share_error": "Der opstod en fejl ved deling af chat-linket",
"com_ui_share_form_description": "Der skal ske noget her. Det var tomt.",
"com_ui_share_link_to_chat": "Del link til chat",
"com_ui_share_to_all_users": "Del til alle brugere",
"com_ui_share_update_message": "Dit navn, dine brugerdefinerede instruktioner og eventuelle beskeder, du tilføjer efter deling, forbliver private.",
"com_ui_share_var": "Del {{0}}",
"com_ui_shared_link_bulk_delete_success": "Delte links blev slettet",
"com_ui_shared_link_delete_success": "Delte links blev slettet",
"com_ui_shared_link_not_found": "Delt link ikke fundet",
"com_ui_shared_prompts": "Delte prompte",
"com_ui_shop": "Shopping",
"com_ui_show": "Vis",
"com_ui_show_all": "Vis alle",
"com_ui_show_qr": "Vis QR-kode",
"com_ui_sign_in_to_domain": "Log ind på {{0}}",
"com_ui_simple": "Enkel",
"com_ui_size": "Størrelse",
"com_ui_special_var_current_date": "Aktuel dato",
"com_ui_special_var_current_datetime": "Aktuel dato og tid",
"com_ui_special_var_current_user": "Nuværende bruger",
"com_ui_special_var_iso_datetime": "UTC ISO Datetime",
"com_ui_special_variables": "Særlige variabler:",
"com_ui_special_variables_more_info": "Du kan vælge særlige variabler fra rullemenuen: `{{current_date}}` (dagens dato og ugedag), `{{current_datetime}}` (lokal dato og tid), `{{utc_iso_datetime}}` (UTC ISO datetime), og `{{current_user}}` (dit kontonavn).",
"com_ui_speech_while_submitting": "Kan ikke indsende tale, mens der genereres et svar",
"com_ui_sr_actions_menu": "Åbn handlingsmenuen for \"{{0}}\"",
"com_ui_stop": "Stop",
"com_ui_storage": "Opbevaring",
"com_ui_submit": "Indsend",
"com_ui_teach_or_explain": "Læring",
"com_ui_temporary": "Midlertidig chat",
"com_ui_terms_and_conditions": "Vilkår og betingelser",
"com_ui_terms_of_service": "Servicevilkår",
"com_ui_thinking": "Tænker...",
"com_ui_thoughts": "Tanker",
"com_ui_token_exchange_method": "Metode til udveksling af tokens",
"com_ui_token_url": "Token-URL",
"com_ui_tools": "Værktøjer",
"com_ui_travel": "Rejse",
"com_ui_unarchive": "Fjern arkivering",
"com_ui_unarchive_error": "Kunne ikke afarkivere samtalen",
"com_ui_unknown": "Ukendt",
"com_ui_untitled": "Uden titel",
"com_ui_update": "Opdatering",
"com_ui_upload": "Upload",
"com_ui_upload_code_files": "Upload til kodefortolker",
"com_ui_upload_delay": "Uploading \"{{0}}\" tager længere tid end forventet. Vent venligst, mens filen indekseres færdig til hentning.",
"com_ui_upload_error": "Der opstod en fejl ved upload af din fil",
"com_ui_upload_file_context": "Upload fil-kontekst",
"com_ui_upload_file_search": "Upload til filsøgning",
"com_ui_upload_files": "Upload filer",
"com_ui_upload_image": "Upload et billede",
"com_ui_upload_image_input": "Upload billede",
"com_ui_upload_invalid": "Ugyldig fil til upload. Skal være et billede, der ikke overskrider grænsen",
"com_ui_upload_invalid_var": "Ugyldig fil til upload. Skal være et billede, der ikke overstiger {{0}} MB",
"com_ui_upload_ocr_text": "Upload som tekst",
"com_ui_upload_success": "Filen blev uploadet",
"com_ui_upload_type": "Vælg uploadtype",
"com_ui_use_2fa_code": "Brug 2FA-kode i stedet",
"com_ui_use_backup_code": "Brug backup-koden i stedet",
"com_ui_use_micrphone": "Brug mikrofon",
"com_ui_use_prompt": "Brug prompt",
"com_ui_used": "Brugt",
"com_ui_variables": "Variabler",
"com_ui_variables_info": "Brug dobbelte parenteser i din tekst til at oprette variabler, f.eks.{{example variable}}`, som senere skal udfyldes ved brug af prompten.",
"com_ui_verify": "Bekræft",
"com_ui_version_var": "Version {{0}}",
"com_ui_versions": "Versioner",
"com_ui_view_source": "Se kilde-chat",
"com_ui_weekend_morning": "God weekend",
"com_ui_write": "Skriver",
"com_ui_x_selected": "{{0}} udvalgt",
"com_ui_yes": "Ja",
"com_ui_zoom": "Zoom",
"com_user_message": "Du",
"com_warning_resubmit_unsupported": "Genindsendelse af AI-beskeden understøttes ikke for dette slutpunkt."
}

View file

@ -0,0 +1,922 @@
{
"chat_direction_left_to_right": "Leer etwas fehlt noch",
"chat_direction_right_to_left": "Leer etwas fehlt noch",
"com_a11y_ai_composing": "Die KI erstellt noch ihre Antwort.\n",
"com_a11y_end": "Die KI hat die Antwort fertiggestellt.",
"com_a11y_start": "Die KI hat mit ihrer Antwort begonnen. ",
"com_agents_allow_editing": "Anderen Nutzenden die Bearbeitung deines Agenten erlauben",
"com_agents_by_librechat": "von LibreChat",
"com_agents_code_interpreter": "Wenn aktiviert, ermöglicht es deinem Agenten, die LibreChat Code Interpreter API zu nutzen, um generierten Code sicher auszuführen, einschließlich der Verarbeitung von Dateien. Erfordert einen gültigen API-Schlüssel.",
"com_agents_code_interpreter_title": "Code-Interpreter-API",
"com_agents_create_error": "Bei der Erstellung deines Agenten ist ein Fehler aufgetreten.",
"com_agents_description_placeholder": "Optional: Beschreibe hier deinen Agenten",
"com_agents_enable_file_search": "Dateisuche aktivieren",
"com_agents_file_context": "Datei-Kontext (OCR)",
"com_agents_file_context_disabled": "Der Agent muss vor dem Hochladen von Dateien für den Datei-Kontext erstellt werden.",
"com_agents_file_context_info": "Als „Kontext“ hochgeladene Dateien werden mit OCR verarbeitet, um Text zu extrahieren, der dann den Anweisungen des Agenten hinzugefügt wird. Ideal für Dokumente, Bilder mit Text oder PDFs, wenn Sie den vollständigen Textinhalt einer Datei benötigen",
"com_agents_file_search_disabled": "Der Agent muss erstellt werden, bevor Dateien für die Dateisuche hochgeladen werden können.",
"com_agents_file_search_info": "Wenn aktiviert, wird der Agent über die unten aufgelisteten exakten Dateinamen informiert und kann dadurch relevante Informationen aus diesen Dateien abrufen",
"com_agents_instructions_placeholder": "Die Systemanweisungen, die der Agent verwendet",
"com_agents_missing_provider_model": "Bitte wählen Sie einen Anbieter und ein Modell aus, bevor Sie einen Agenten erstellen.",
"com_agents_name_placeholder": "Optional: Der Name des Agenten",
"com_agents_no_access": "Du hast keine Berechtigung, diesen Agenten zu bearbeiten.",
"com_agents_not_available": "Agent nicht verfügbar",
"com_agents_search_info": "Wenn diese Funktion aktiviert ist, kann der Agent im Internet nach aktuellen Informationen suchen. Erfordert einen gültigen API-Schlüssel.",
"com_agents_search_name": "Agenten nach Namen suchen",
"com_agents_update_error": "Beim Aktualisieren deines Agenten ist ein Fehler aufgetreten.",
"com_assistants_action_attempt": "Assistent möchte kommunizieren mit {{0}}",
"com_assistants_actions": "Aktionen",
"com_assistants_actions_disabled": "Du müsst einen Assistenten erstellen, bevor du Aktionen hinzufügen kannst.",
"com_assistants_actions_info": "Lasse deinen Assistenten Informationen abrufen oder Aktionen über APIs ausführen",
"com_assistants_add_actions": "Aktionen hinzufügen",
"com_assistants_add_tools": "Werkzeuge hinzufügen",
"com_assistants_allow_sites_you_trust": "Erlaube nur Webseiten, denen du vertraust.",
"com_assistants_append_date": "Aktuelles Datum & Uhrzeit anhängen",
"com_assistants_append_date_tooltip": "Wenn aktiviert, werden das aktuelle Client-Datum und die Uhrzeit an die Systemanweisungen des Assistenten angehängt.",
"com_assistants_attempt_info": "Assistent möchte Folgendes senden:",
"com_assistants_available_actions": "Verfügbare Aktionen",
"com_assistants_capabilities": "Fähigkeiten",
"com_assistants_code_interpreter": "Code-Interpreter",
"com_assistants_code_interpreter_files": "Die folgenden Dateien sind nur für den Code-Interpreter:",
"com_assistants_code_interpreter_info": "Der Code-Interpreter ermöglicht es dem Assistenten, Code zu schreiben und auszuführen. Dieses Tool kann Dateien mit verschiedenen Daten und Formatierungen verarbeiten und Dateien wie Grafiken generieren.",
"com_assistants_completed_action": "Mit {{0}} gesprochen",
"com_assistants_completed_function": "{{0}} ausgeführt",
"com_assistants_conversation_starters": "Gesprächseinstiege",
"com_assistants_conversation_starters_placeholder": "Gib einen Gesprächseinstieg ein",
"com_assistants_create_error": "Bei der Erstellung deines Assistenten ist ein Fehler aufgetreten.",
"com_assistants_create_success": "Erfolgreich erstellt",
"com_assistants_delete_actions_error": "Beim Löschen der Aktion ist ein Fehler aufgetreten.",
"com_assistants_delete_actions_success": "Aktion erfolgreich vom Assistenten gelöscht",
"com_assistants_description_placeholder": "Optional: Beschreibe deinen Assistenten hier",
"com_assistants_domain_info": "Agent hat diese Information an {{0}} gesendet",
"com_assistants_file_search": "Dateisuche",
"com_assistants_file_search_info": "Die Dateisuche ermöglicht dem Assistenten, Wissen aus Dateien zu nutzen, die du oder deine Benutzer hochladen. Sobald eine Datei hochgeladen wurde, entscheidet der Assistent automatisch, wann er basierend auf Benutzeranfragen Inhalte abruft. Das Anhängen von Vektor-Speichern für die Dateisuche wird noch nicht unterstützt. Sie können sie vom Provider-Playground aus anhängen oder Dateien für die Dateisuche auf Thread-Basis an Nachrichten anhängen.",
"com_assistants_function_use": "Agent hat {{0}} verwendet",
"com_assistants_image_vision": "Bildanalyse",
"com_assistants_instructions_placeholder": "Die Systemanweisungen, die der Assistent verwendet",
"com_assistants_knowledge": "Wissen",
"com_assistants_knowledge_disabled": "Der Assistent muss erstellt und Code-Interpreter oder Abruf müssen aktiviert und gespeichert werden, bevor Dateien als Wissen hochgeladen werden können.",
"com_assistants_knowledge_info": "Wenn du Dateien unter Wissen hochlädst, kannst du bei Gesprächen mit deinem Assistenten Dateiinhalte einbeziehen.",
"com_assistants_max_starters_reached": "Maximale Anzahl an Gesprächseinstiegen erreicht",
"com_assistants_name_placeholder": "Optional: Der Name des Assistenten",
"com_assistants_non_retrieval_model": "Die Dateisuche ist für dieses KI-Modell nicht aktiviert. Bitte wähle ein anderes Modell aus.",
"com_assistants_retrieval": "Abruf",
"com_assistants_running_action": "Aktion wird ausgeführt",
"com_assistants_running_var": "{{0}} aktiv",
"com_assistants_search_name": "Assistenten nach Namen suchen",
"com_assistants_update_actions_error": "Bei der Erstellung oder Aktualisierung der Aktion ist ein Fehler aufgetreten.",
"com_assistants_update_actions_success": "Aktion erfolgreich erstellt oder aktualisiert",
"com_assistants_update_error": "Bei der Aktualisierung deines Assistenten ist ein Fehler aufgetreten.",
"com_assistants_update_success": "Erfolgreich aktualisiert",
"com_auth_already_have_account": "Hast du bereits ein Konto?",
"com_auth_apple_login": "Mit Apple anmelden",
"com_auth_back_to_login": "Zurück zur Anmeldung",
"com_auth_click": "Klicke",
"com_auth_click_here": "Klicke hier",
"com_auth_continue": "Fortfahren",
"com_auth_create_account": "Erstelle dein Konto",
"com_auth_discord_login": "Mit Discord fortfahren",
"com_auth_email": "E-Mail",
"com_auth_email_address": "E-Mail-Adresse",
"com_auth_email_max_length": "E-Mail sollte nicht länger als 120 Zeichen sein",
"com_auth_email_min_length": "E-Mail muss mindestens 6 Zeichen lang sein",
"com_auth_email_pattern": "Du musst eine gültige E-Mail-Adresse eingeben",
"com_auth_email_required": "E-Mail ist erforderlich",
"com_auth_email_resend_link": "E-Mail erneut senden",
"com_auth_email_resent_failed": "Erneutes Senden der Verifizierungs-E-Mail fehlgeschlagen",
"com_auth_email_resent_success": "Verifizierungs-E-Mail erfolgreich erneut gesendet",
"com_auth_email_verification_failed": "E-Mail-Verifizierung fehlgeschlagen",
"com_auth_email_verification_failed_token_missing": "Verifizierung fehlgeschlagen, Token fehlt",
"com_auth_email_verification_in_progress": "Ihre E-Mail wird verifiziert, bitte warten",
"com_auth_email_verification_invalid": "Ungültige E-Mail-Verifizierung",
"com_auth_email_verification_redirecting": "Weiterleitung in {{0}} Sekunden...",
"com_auth_email_verification_resend_prompt": "Keine E-Mail erhalten?",
"com_auth_email_verification_success": "E-Mail erfolgreich verifiziert",
"com_auth_email_verifying_ellipsis": "Überprüfe …",
"com_auth_error_create": "Bei der Registrierung deines Kontos ist ein Fehler aufgetreten. Bitte versuche es erneut.",
"com_auth_error_invalid_reset_token": "Dieser Passwort-Reset-Token ist nicht mehr gültig.",
"com_auth_error_login": "Anmeldung mit den angegebenen Informationen nicht möglich. Bitte überprüfe deine Anmeldedaten und versuche es erneut.",
"com_auth_error_login_ban": "Dein Konto wurde aufgrund von Verstößen gegen unseren Dienst vorübergehend gesperrt.",
"com_auth_error_login_rl": "Zu viele Anmeldeversuche in kurzer Zeit. Bitte versuche es später erneut.",
"com_auth_error_login_server": "Es gab einen internen Serverfehler. Bitte warte einen Moment und versuche es erneut.",
"com_auth_error_login_unverified": "Dein Konto wurde nicht verifiziert. Bitte überprüfe deine E-Mail auf einen Verifizierungslink.",
"com_auth_facebook_login": "Mit Facebook fortfahren",
"com_auth_full_name": "Vollständiger Name",
"com_auth_github_login": "Mit Github fortfahren",
"com_auth_google_login": "Mit Google fortfahren",
"com_auth_here": "HIER",
"com_auth_login": "Anmelden",
"com_auth_login_with_new_password": "Du kannst dich jetzt mit deinem neuen Passwort anmelden.",
"com_auth_name_max_length": "Name darf nicht länger als 80 Zeichen sein",
"com_auth_name_min_length": "Name muss mindestens 3 Zeichen lang sein",
"com_auth_name_required": "Name ist erforderlich",
"com_auth_no_account": "Du hast noch kein Konto?",
"com_auth_password": "Passwort",
"com_auth_password_confirm": "Passwort bestätigen",
"com_auth_password_forgot": "Passwort vergessen?",
"com_auth_password_max_length": "Passwort muss weniger als 128 Zeichen lang sein",
"com_auth_password_min_length": "Passwort muss mindestens 8 Zeichen lang sein",
"com_auth_password_not_match": "Passwörter stimmen nicht überein",
"com_auth_password_required": "Passwort ist erforderlich",
"com_auth_registration_success_generic": "Bitte überprüfe deine E-Mail, um deine E-Mail-Adresse zu verifizieren.",
"com_auth_registration_success_insecure": "Registrierung erfolgreich.",
"com_auth_reset_password": "Setze dein Passwort zurück",
"com_auth_reset_password_if_email_exists": "Wenn ein Konto mit dieser E-Mail-Adresse existiert, wurde eine E-Mail mit Anweisungen zum Zurücksetzen des Passworts gesendet. Bitte überprüfe auch deinen Spam-Ordner.",
"com_auth_reset_password_link_sent": "E-Mail gesendet",
"com_auth_reset_password_success": "Passwort erfolgreich zurückgesetzt",
"com_auth_sign_in": "Anmelden",
"com_auth_sign_up": "Registrieren",
"com_auth_submit_registration": "Registrierung absenden",
"com_auth_to_reset_your_password": "um Ihr Passwort zurückzusetzen.",
"com_auth_to_try_again": "um es erneut zu versuchen.",
"com_auth_two_factor": "Prüfe deine bevorzugte Einmalkennwort-App auf einen Code.",
"com_auth_username": "Benutzername (optional)",
"com_auth_username_max_length": "Benutzername darf nicht länger als 20 Zeichen sein",
"com_auth_username_min_length": "Benutzername muss mindestens 2 Zeichen lang sein",
"com_auth_verify_your_identity": "Bestätige deine Identität",
"com_auth_welcome_back": "Willkommen zurück",
"com_citation_more_details": "Mehr Details über {{label}}",
"com_citation_source": "Quelle",
"com_click_to_download": "(hier klicken zum Herunterladen)",
"com_download_expired": "Download abgelaufen",
"com_download_expires": "(hier klicken zum Herunterladen - läuft ab am {{0}})",
"com_endpoint": "Endpunkt",
"com_endpoint_agent": "Agent",
"com_endpoint_agent_model": "Agentenmodell (Empfohlen: GPT-4o-mini)",
"com_endpoint_agent_placeholder": "Bitte wähle einen Agenten aus",
"com_endpoint_ai": "KI",
"com_endpoint_anthropic_maxoutputtokens": "Maximale Anzahl von Token, die in der Antwort erzeugt werden können. Gib einen niedrigeren Wert für kürzere Antworten und einen höheren Wert für längere Antworten an. Hinweis: Die Modelle können auch vor Erreichen dieses Maximums stoppen.",
"com_endpoint_anthropic_prompt_cache": "Prompt-Caching ermöglicht die Wiederverwendung von umfangreichen Kontexten oder Anweisungen über mehrere API-Aufrufe hinweg, wodurch Kosten und Latenzzeiten reduziert werden",
"com_endpoint_anthropic_temp": "Reicht von 0 bis 1. Verwende Temperaturen näher an 0 für analytische / Multiple-Choice-Aufgaben und näher an 1 für kreative und generative Aufgaben. Wir empfehlen, entweder dies oder Top P zu ändern, aber nicht beides.",
"com_endpoint_anthropic_thinking": "Aktiviert internes logisches Denken für unterstützte Claude-Modelle (3.7 Sonnet). Hinweis: Erfordert, dass \"Denkbudget\" festgelegt und niedriger als \"Max. Ausgabe-Token\" ist",
"com_endpoint_anthropic_thinking_budget": "Bestimmt die maximale Anzahl an Token, die Claude für seinen internen Denkprozess verwenden darf. Ein höheres Budget kann die Antwortqualität verbessern, indem es eine gründlichere Analyse bei komplexen Problemen ermöglicht. Claude nutzt jedoch möglicherweise nicht das gesamte zugewiesene Budget, insbesondere bei Werten über 32.000. Diese Einstellung muss niedriger sein als \"Max. Ausgabe-Token\".",
"com_endpoint_anthropic_topk": "Top-k ändert, wie das Modell Token für die Ausgabe auswählt. Ein Top-k von 1 bedeutet, dass das ausgewählte Token das wahrscheinlichste unter allen Token im Vokabular des Modells ist (auch \"Greedy Decoding\" genannt), während ein Top-k von 3 bedeutet, dass das nächste Token aus den 3 wahrscheinlichsten Token ausgewählt wird (unter Verwendung der Temperatur).",
"com_endpoint_anthropic_topp": "Top-p ändert, wie das Modell Token für die Ausgabe auswählt. Token werden von den wahrscheinlichsten K (siehe topK-Parameter) bis zu den am wenigsten wahrscheinlichen ausgewählt, bis die Summe ihrer Wahrscheinlichkeiten dem Top-p-Wert entspricht.",
"com_endpoint_assistant": "Assistent",
"com_endpoint_assistant_model": "Assistentenmodell",
"com_endpoint_assistant_placeholder": "Bitte wähle einen Assistenten aus dem rechten Seitenpanel aus",
"com_endpoint_completion": "Vervollständigung",
"com_endpoint_completion_model": "Vervollständigungsmodell (Empfohlen: GPT-4o)",
"com_endpoint_config_click_here": "Klicke hier",
"com_endpoint_config_google_api_info": "Um deinen Generative Language API-Key (für Gemini) zu erhalten,",
"com_endpoint_config_google_api_key": "Google API-Key",
"com_endpoint_config_google_cloud_platform": "(von Google Cloud Platform)",
"com_endpoint_config_google_gemini_api": "(Gemini API)",
"com_endpoint_config_google_service_key": "Google Service Account Key",
"com_endpoint_config_key": "API-Key festlegen",
"com_endpoint_config_key_encryption": "Dein API-Key wird verschlüsselt und gelöscht um",
"com_endpoint_config_key_for": "API-Key festlegen für",
"com_endpoint_config_key_google_need_to": "Du musst",
"com_endpoint_config_key_google_service_account": "Ein Service-Konto erstellen",
"com_endpoint_config_key_google_vertex_ai": "Vertex AI aktivieren",
"com_endpoint_config_key_google_vertex_api": "API auf Google Cloud, dann",
"com_endpoint_config_key_google_vertex_api_role": "Stelle sicher, dass du auf \"Erstellen und Fortfahren\" klickst, um mindestens die Rolle \"Vertex AI User\" zu vergeben. Erstelle zuletzt einen JSON-Key zum Importieren hier.",
"com_endpoint_config_key_import_json_key": "Service Account JSON-Key importieren.",
"com_endpoint_config_key_import_json_key_invalid": "Ungültiger Service Account JSON-Key. Hast du die richtige Datei importiert?",
"com_endpoint_config_key_import_json_key_success": "Service Account JSON-Key erfolgreich importiert",
"com_endpoint_config_key_name": "API-Key",
"com_endpoint_config_key_never_expires": "Dein API-Key läuft nie ab",
"com_endpoint_config_placeholder": "Lege deinen API-Key im Kopfzeilenmenü fest, um zu chatten.",
"com_endpoint_config_value": "Wert eingeben für",
"com_endpoint_context": "Kontext",
"com_endpoint_context_info": "Die maximale Anzahl von Token, die für den Kontext verwendet werden können. Verwende dies zur Kontrolle, wie viele Token pro Anfrage gesendet werden. Wenn nicht angegeben, werden Systemstandards basierend auf der bekannten Kontextgröße der Modelle verwendet. Das Setzen höherer Werte kann zu Fehlern und/oder höheren Token-Kosten führen.",
"com_endpoint_context_tokens": "Max. Kontext-Token",
"com_endpoint_custom_name": "Benutzerdefinierter Name",
"com_endpoint_default": "Standard",
"com_endpoint_default_blank": "Standard: leer",
"com_endpoint_default_empty": "Standard: leer",
"com_endpoint_default_with_num": "Standard: {{0}}",
"com_endpoint_deprecated": "Veraltet",
"com_endpoint_deprecated_info": "Dieser Endpunkt ist veraltet und wird möglicherweise in zukünftigen Versionen entfernt. Bitte verwende stattdessen den Agent-Endpunkt.",
"com_endpoint_deprecated_info_a11y": "Der Plugin-Endpunkt ist veraltet und wird möglicherweise in zukünftigen Versionen entfernt. Bitte verwende stattdessen den Agent-Endpunkt.",
"com_endpoint_examples": " Voreinstellungen",
"com_endpoint_export": "Exportieren",
"com_endpoint_export_share": "Exportieren/Teilen",
"com_endpoint_frequency_penalty": "Frequency Penalty",
"com_endpoint_func_hover": "Verwendung von Plugins als OpenAI-Funktionen aktivieren",
"com_endpoint_google_custom_name_placeholder": "Lege einen benutzerdefinierten Namen für Google fest",
"com_endpoint_google_maxoutputtokens": "Maximale Anzahl von Token, die in der Antwort generiert werden können. Gib einen niedrigeren Wert für kürzere Antworten und einen höheren Wert für längere Antworten an. Hinweis: Modelle können möglicherweise vor Erreichen dieses Maximums stoppen.",
"com_endpoint_google_temp": "Höhere Werte = zufälliger, während niedrigere Werte = fokussierter und deterministischer. Wir empfehlen, entweder dies oder Top P zu ändern, aber nicht beides.",
"com_endpoint_google_topk": "Top-k ändert, wie das Modell Token für die Antwort auswählt. Ein Top-k von 1 bedeutet, dass das ausgewählte Token das wahrscheinlichste unter allen Token im Vokabular des Modells ist (auch Greedy-Decoding genannt), während ein Top-k von 3 bedeutet, dass das nächste Token aus den 3 wahrscheinlichsten Token ausgewählt wird (unter Verwendung der Temperatur).",
"com_endpoint_google_topp": "Top-p ändert, wie das Modell Token für die Antwort auswählt. Token werden von den wahrscheinlichsten K (siehe topK-Parameter) bis zu den am wenigsten wahrscheinlichen ausgewählt, bis die Summe ihrer Wahrscheinlichkeiten dem Top-p-Wert entspricht.",
"com_endpoint_instructions_assistants": "Anweisungen überschreiben",
"com_endpoint_instructions_assistants_placeholder": "Überschreibt die Anweisungen des Assistenten. Dies ist nützlich, um das Verhalten auf Basis einzelner Ausführungen zu modifizieren.",
"com_endpoint_max_output_tokens": "Max. Antwort-Token",
"com_endpoint_message": "Nachricht an",
"com_endpoint_message_new": "Nachricht an {{0}}",
"com_endpoint_message_not_appendable": "Bearbeite deine Nachricht oder generiere neu.",
"com_endpoint_my_preset": "Meine Voreinstellung",
"com_endpoint_no_presets": "Noch keine Voreinstellungen, verwende die KI-Einstellungsschaltfläche, um eine zu erstellen",
"com_endpoint_open_menu": "Menü öffnen",
"com_endpoint_openai_custom_name_placeholder": "Lege einen benutzerdefinierten Namen für die KI fest.",
"com_endpoint_openai_detail": "Die Auflösung für Bilderkennungs-Anfragen. \"Niedrig\" ist günstiger und schneller, \"Hoch\" ist detaillierter und teurer, und \"Auto\" wählt automatisch zwischen den beiden basierend auf der Bildauflösung.",
"com_endpoint_openai_freq": "Zahl zwischen -2,0 und 2,0. Positive Werte bestrafen neue Token basierend auf ihrer bestehenden Häufigkeit im Text, wodurch die Wahrscheinlichkeit des Modells verringert wird, dieselbe Zeile wörtlich zu wiederholen.",
"com_endpoint_openai_max": "Die maximale Anzahl zu generierender Token. Die Gesamtlänge der Eingabe-Token und der generierten Token ist durch die Kontextlänge des Modells begrenzt.",
"com_endpoint_openai_max_tokens": "Optionales 'max_tokens'-Feld, das die maximale Anzahl von Token darstellt, die in der Chat-Vervollständigung generiert werden können. Die Gesamtlänge der Eingabe-Token und der generierten Token ist durch die Kontextlänge des Modells begrenzt. Du kannst Fehler erleben, wenn diese Zahl die maximalen Kontext-Token überschreitet.",
"com_endpoint_openai_pres": "Zahl zwischen -2,0 und 2,0. Positive Werte bestrafen neue Token basierend darauf, ob sie im bisherigen Text vorkommen, wodurch die Wahrscheinlichkeit des Modells erhöht wird, über neue Themen zu sprechen.",
"com_endpoint_openai_prompt_prefix_placeholder": "Lege benutzerdefinierte Anweisungen fest, die in die Systemnachricht an die KI aufgenommen werden sollen. Standard: keine",
"com_endpoint_openai_reasoning_effort": "Nur für o1-Modelle: Begrenzt den Aufwand des Nachdenkens bei Schlussfolgerungsmodellen. Die Reduzierung des Nachdenkeaufwands kann zu schnelleren Antworten und weniger Token führen, die für das Überlegen vor einer Antwort verwendet werden.",
"com_endpoint_openai_resend": "Alle im Chat zuvor angehängten Bilder mit jeder neuen Nachricht erneut senden. Hinweis: Dies kann die Kosten der Anfrage aufgrund höherer Token-Anzahl erheblich erhöhen und du kannst bei vielen Bildanhängen Fehler erleben.",
"com_endpoint_openai_resend_files": "Alle im Chat zuvor angehängten Dateien mit jeder neuen Nachricht erneut senden. Hinweis: Dies wird die Kosten der Anfrage aufgrund höherer Token-Anzahl erheblich erhöhen und du kannst bei vielen Anhängen Fehler erleben.",
"com_endpoint_openai_stop": "Bis zu 4 Sequenzen, bei denen die API keine weiteren Token generiert.",
"com_endpoint_openai_temp": "Entspricht der Kreativität der KI. Höhere Werte = zufälliger und kreativer, während niedrigere Werte = unkreativer und deterministischer. Wir empfehlen, entweder dies oder Top P zu ändern, aber nicht beides. Temperaturen über 1 sind nicht empfehlenswert.",
"com_endpoint_openai_topp": "Eine Alternative zum Sampling mit Temperatur, genannt Nucleus-Sampling, bei dem das Modell die Ergebnisse der Token mit Top-p-Wahrscheinlichkeitsmasse berücksichtigt. So bedeutet 0,1, dass nur die Token betrachtet werden, die die Top 10% der Wahrscheinlichkeitsmasse ausmachen. Wir empfehlen, entweder dies oder die Temperatur zu ändern, aber nicht beides.",
"com_endpoint_output": "Antwort",
"com_endpoint_plug_image_detail": "Bild-Detail",
"com_endpoint_plug_resend_files": "Anhänge erneut senden",
"com_endpoint_plug_set_custom_instructions_for_gpt_placeholder": "Lege benutzerdefinierte Anweisungen fest, die in die Systemnachricht aufgenommen werden sollen. Standard: keine",
"com_endpoint_plug_skip_completion": "Fertigstellung überspringen",
"com_endpoint_plug_use_functions": "Funktionen verwenden",
"com_endpoint_presence_penalty": "Presence Penalty",
"com_endpoint_preset": "Voreinstellung",
"com_endpoint_preset_custom_name_placeholder": "Leer etwas fehlt noch",
"com_endpoint_preset_default": "ist jetzt die Standardvoreinstellung.",
"com_endpoint_preset_default_item": "Standard:",
"com_endpoint_preset_default_none": "Keine Standardvoreinstellung aktiv.",
"com_endpoint_preset_default_removed": "ist nicht mehr die Standardvoreinstellung.",
"com_endpoint_preset_delete_confirm": "Bist du sicher, dass du diese Voreinstellung löschen möchtest?",
"com_endpoint_preset_delete_error": "Beim Löschen deiner Voreinstellung ist ein Fehler aufgetreten. Bitte versuche es erneut.",
"com_endpoint_preset_import": "Voreinstellung erfolgreich importiert!",
"com_endpoint_preset_import_error": "Beim Importieren deiner Voreinstellung ist ein Fehler aufgetreten. Bitte versuche es erneut.",
"com_endpoint_preset_name": "Voreinstellungsname",
"com_endpoint_preset_save_error": "Beim Speichern deiner Voreinstellung ist ein Fehler aufgetreten. Bitte versuche es erneut.",
"com_endpoint_preset_selected": "Voreinstellung aktiv!",
"com_endpoint_preset_selected_title": "Aktiv!",
"com_endpoint_preset_title": "Voreinstellung",
"com_endpoint_presets": "Voreinstellungen",
"com_endpoint_presets_clear_warning": "Bist du sicher, dass du alle Voreinstellungen löschen möchtest? Dies ist nicht rückgängig zu machen.",
"com_endpoint_prompt_cache": "Prompt-Zwischenspeicherung verwenden",
"com_endpoint_prompt_prefix": "Benutzerdefinierte Anweisungen",
"com_endpoint_prompt_prefix_assistants": "Zusätzliche Anweisungen",
"com_endpoint_prompt_prefix_assistants_placeholder": "Lege zusätzliche Anweisungen oder Kontext zusätzlich zu den Hauptanweisungen des Assistenten fest. Wird ignoriert, wenn leer.",
"com_endpoint_prompt_prefix_placeholder": "Lege benutzerdefinierte Anweisungen oder Kontext fest. Wird ignoriert, wenn leer.",
"com_endpoint_reasoning_effort": "Denkaufwand",
"com_endpoint_save_as_preset": "Voreinstellung speichern",
"com_endpoint_search": "Endpunkt nach Namen suchen",
"com_endpoint_search_endpoint_models": "{{0}} KI-Modelle durchsuchen...",
"com_endpoint_search_models": "KI-Modelle durchsuchen...",
"com_endpoint_search_var": "{{0}} durchsuchen...",
"com_endpoint_set_custom_name": "Lege einen benutzerdefinierten Namen fest, falls du diese Voreinstellung wiederfinden möchtest",
"com_endpoint_skip_hover": "Aktiviere das Überspringen des Vervollständigungsschritts, der die endgültige Antwort und die generierten Schritte überprüft",
"com_endpoint_stop": "Stop-Sequenzen",
"com_endpoint_stop_placeholder": "Trenne Stoppwörter durch Drücken der `Enter`-Taste",
"com_endpoint_temperature": "Temperatur",
"com_endpoint_thinking": "Denken",
"com_endpoint_thinking_budget": "Denkbudget",
"com_endpoint_top_k": "Top K",
"com_endpoint_top_p": "Top P",
"com_endpoint_use_active_assistant": "Aktiven Assistenten verwenden",
"com_error_expired_user_key": "Der angegebene API-Key für {{0}} ist am {{1}} abgelaufen. Bitte gebe einen neuen API-Key ein und versuche es erneut.",
"com_error_files_dupe": "Doppelte Datei erkannt.",
"com_error_files_empty": "Leere Dateien sind nicht zulässig",
"com_error_files_process": "Bei der Verarbeitung der Datei ist ein Fehler aufgetreten.",
"com_error_files_unsupported_capability": "Keine aktivierten Funktionen unterstützen diesen Dateityp",
"com_error_files_upload": "Beim Hochladen der Datei ist ein Fehler aufgetreten",
"com_error_files_upload_canceled": "Die Datei-Upload-Anfrage wurde abgebrochen. Hinweis: Der Upload-Vorgang könnte noch im Hintergrund laufen und die Datei muss möglicherweise manuell gelöscht werden.",
"com_error_files_validation": "Bei der Validierung der Datei ist ein Fehler aufgetreten.",
"com_error_input_length": "Die Token-Anzahl der letzten Nachricht ist zu hoch und überschreitet das Token-Limit ({{0}}). Bitte kürze deine Nachricht, passe die maximale Kontextgröße in den Gesprächsparametern an oder erstelle eine Abzweigung des Gesprächs, um fortzufahren.",
"com_error_invalid_agent_provider": "Der Anbieter \"{{0}}\" steht für die Verwendung mit Agents nicht zur Verfügung. Bitte gehe zu den Einstellungen deines Agents und wähle einen aktuell verfügbaren Anbieter aus.",
"com_error_invalid_user_key": "Ungültiger API-Key angegeben. Bitte gebe einen gültigen API-Key ein und versuche es erneut.",
"com_error_moderation": "Es scheint, dass der eingereichte Inhalt von unserem Moderationssystem als nicht mit unseren Community-Richtlinien vereinbar gekennzeichnet wurde. Wir können mit diesem spezifischen Thema nicht fortfahren. Wenn Sie andere Fragen oder Themen haben, die Sie erkunden möchten, bearbeiten Sie bitte Ihre Nachricht oder erstellen Sie eine neue Konversation.",
"com_error_no_base_url": "Keine Basis-URL gefunden. Bitte gebe eine ein und versuche es erneut.",
"com_error_no_user_key": "Kein API-Key gefunden. Bitte gebe einen API-Key ein und versuche es erneut.",
"com_files_filter": "Dateien filtern...",
"com_files_no_results": "Keine Ergebnisse.",
"com_files_number_selected": "{{0}} von {{1}} Datei(en) ausgewählt",
"com_generated_files": "Generierte Dateien:",
"com_hide_examples": "Beispiele ausblenden",
"com_nav_2fa": "Zwei-Faktor-Authentifizierung (2FA)",
"com_nav_account_settings": "Kontoeinstellungen",
"com_nav_always_make_prod": "Neue Versionen direkt produktiv nehmen",
"com_nav_archive_created_at": "Archivierungsdatum",
"com_nav_archive_name": "Name",
"com_nav_archived_chats": "Archivierte Chats",
"com_nav_at_command": "@-Befehl",
"com_nav_at_command_description": "Schaltet den Befehl \"@\" zum Wechseln von Endpunkten, Modellen, Voreinstellungen usw. um.",
"com_nav_audio_play_error": "Fehler beim Abspielen des Audios: {{0}}",
"com_nav_audio_process_error": "Fehler bei der Verarbeitung des Audios: {{0}}",
"com_nav_auto_scroll": "Automatisch zur neuesten Nachricht scrollen, wenn der Chat geöffnet wird",
"com_nav_auto_send_prompts": "Prompts automatisch senden",
"com_nav_auto_send_text": "Text automatisch senden",
"com_nav_auto_send_text_disabled": "-1 setzen zum Deaktivieren",
"com_nav_auto_transcribe_audio": "Audio automatisch transkribieren",
"com_nav_automatic_playback": "Automatische Wiedergabe der neuesten Nachricht",
"com_nav_balance": "Guthaben",
"com_nav_browser": "Browser",
"com_nav_center_chat_input": "Chat-Eingabe im Willkommensbildschirm zentrieren",
"com_nav_change_picture": "Bild ändern",
"com_nav_chat_commands": "Chat-Befehle",
"com_nav_chat_commands_info": "Diese Befehle werden aktiviert, indem du bestimmte Zeichen am Anfang deiner Nachricht eingibst. Jeder Befehl wird durch sein festgelegtes Präfix ausgelöst. Du kannst sie deaktivieren, wenn du diese Zeichen häufig zum Beginn deiner Nachrichten verwendest.",
"com_nav_chat_direction": "Chat-Richtung",
"com_nav_clear_all_chats": "Alle Chats löschen",
"com_nav_clear_cache_confirm_message": "Bist du sicher, dass du den Cache löschen möchtest?",
"com_nav_clear_conversation": "Konversationen löschen",
"com_nav_clear_conversation_confirm_message": "Bist du sicher, dass du alle Konversationen löschen möchtest? Dies ist nicht rückgängig zu machen.",
"com_nav_close_sidebar": "Seitenleiste schließen",
"com_nav_commands": "Befehle",
"com_nav_confirm_clear": "Löschen bestätigen",
"com_nav_conversation_mode": "Konversationsmodus",
"com_nav_convo_menu_options": "Optionen des Gesprächsmenüs",
"com_nav_db_sensitivity": "Dezibel-Empfindlichkeit",
"com_nav_delete_account": "Konto löschen",
"com_nav_delete_account_button": "Mein Konto dauerhaft löschen",
"com_nav_delete_account_confirm": "Konto löschen - bist du sicher?",
"com_nav_delete_account_email_placeholder": "Bitte gebe deine Konto-E-Mail ein",
"com_nav_delete_cache_storage": "TTS-Cache-Speicher löschen",
"com_nav_delete_data_info": "Alle deine Daten werden gelöscht.",
"com_nav_delete_warning": "WARNUNG: Dies wird dein Konto dauerhaft löschen.",
"com_nav_edit_chat_badges": "Chat Badges editieren",
"com_nav_enable_cache_tts": "TTS-Caching aktivieren",
"com_nav_enable_cloud_browser_voice": "Cloud-basierte Stimmen verwenden",
"com_nav_enabled": "Aktiviert",
"com_nav_engine": "Engine",
"com_nav_enter_to_send": "Enter drücken, um Nachrichten zu senden",
"com_nav_export": "Exportieren",
"com_nav_export_all_message_branches": "Alle Nachrichtenzweige exportieren",
"com_nav_export_conversation": "Konversation exportieren",
"com_nav_export_filename": "Dateiname",
"com_nav_export_filename_placeholder": "Lege den Dateinamen fest",
"com_nav_export_include_endpoint_options": "Endpunktoptionen einbeziehen",
"com_nav_export_recursive": "Rekursiv",
"com_nav_export_recursive_or_sequential": "Rekursiv oder sequentiell?",
"com_nav_export_type": "Typ",
"com_nav_external": "Extern",
"com_nav_font_size": "Schriftgröße",
"com_nav_font_size_base": "Mittel",
"com_nav_font_size_lg": "Groß",
"com_nav_font_size_sm": "Klein",
"com_nav_font_size_xl": "Sehr groß",
"com_nav_font_size_xs": "Sehr klein",
"com_nav_help_faq": "Hilfe & FAQ",
"com_nav_hide_panel": "Rechte Seitenleiste verstecken",
"com_nav_info_code_artifacts": "Aktiviert die Anzeige experimenteller Code-Artefakte neben dem Chat",
"com_nav_info_code_artifacts_agent": "Aktiviert die Verwendung von Code-Artefakten für diesen Agenten. Standardmäßig werden zusätzliche, spezielle Anweisungen für die Nutzung von Artefakten hinzugefügt, es sei denn, der \"Benutzerdefinierte Prompt-Modus\" ist aktiviert.",
"com_nav_info_custom_prompt_mode": "Wenn aktiviert, wird die Standard-Systemaufforderung für Artefakte nicht eingeschlossen. Alle Anweisungen zur Erzeugung von Artefakten müssen in diesem Modus manuell bereitgestellt werden.",
"com_nav_info_enter_to_send": "Wenn aktiviert, sendet das Drücken von `ENTER` Ihre Nachricht. Wenn deaktiviert, fügt das Drücken von Enter eine neue Zeile hinzu, und du musst `STRG + ENTER` drücken, um deine Nachricht zu senden.",
"com_nav_info_fork_change_default": "`Nur sichtbare Nachrichten` umfasst nur den direkten Pfad zur ausgewählten Nachricht. `Zugehörige Verzweigungen einbeziehen` fügt Verzweigungen entlang des Pfades hinzu. `Alle bis/von hier einbeziehen` umfasst alle verbundenen Nachrichten und Verzweigungen.",
"com_nav_info_fork_split_target_setting": "Wenn aktiviert, beginnt das Abzweigen von der Zielnachricht bis zur letzten Nachricht in der Konversation, gemäß dem ausgewählten Verhalten.",
"com_nav_info_include_shadcnui": "Wenn aktiviert, werden Anweisungen zur Verwendung von shadcn/ui-Komponenten eingeschlossen. shadcn/ui ist eine Sammlung wiederverwendbarer Komponenten, die mit Radix UI und Tailwind CSS erstellt wurden. Hinweis: Dies sind umfangreiche Anweisungen, die Sie nur aktivieren sollten, wenn es Ihnen wichtig ist, das KI-Modell über die korrekten Importe und Komponenten zu informieren. Weitere Informationen zu diesen Komponenten finden Sie unter: https://ui.shadcn.com/",
"com_nav_info_latex_parsing": "Wenn aktiviert, wird LaTeX-Code in Nachrichten als mathematische Gleichungen gerendert. Das Deaktivieren kann die Leistung verbessern, wenn du keine LaTeX-Darstellung benötigst.",
"com_nav_info_save_badges_state": "Wenn aktiviert, wird der Status der Chat-Badges gespeichert. Das bedeutet, dass die Badges im gleichen Status wie im vorherigen Chat bleiben, wenn du einen neuen Chat erstellst. Wenn du diese Option deaktivierst, werden die Badges jedes Mal, wenn du einen neuen Chat erstellst, auf ihren Standardzustand zurückgesetzt.",
"com_nav_info_save_draft": "Wenn aktiviert, werden der Text und die Anhänge, die du in das Chat-Formular eingibst, automatisch lokal als Entwürfe gespeichert. Diese Entwürfe sind auch verfügbar, wenn du die Seite neu lädst oder zu einer anderen Konversation wechseln. Entwürfe werden lokal auf deinem Gerät gespeichert und werden gelöscht, sobald die Nachricht gesendet wird.",
"com_nav_info_show_thinking": "Wenn aktiviert, sind die Denkprozess-Dropdowns standardmäßig geöffnet, sodass du die Gedankengänge der KI in Echtzeit sehen kannst. Wenn deaktiviert, bleiben sie standardmäßig geschlossen, für eine übersichtlichere Oberfläche.",
"com_nav_info_user_name_display": "Wenn aktiviert, wird der Benutzername des Absenders über jeder Nachricht angezeigt, die du sendest. Wenn deaktiviert, siehst du nur \"Du\" über deinen Nachrichten.",
"com_nav_lang_arabic": "العربية",
"com_nav_lang_auto": "Automatisch erkennen",
"com_nav_lang_brazilian_portuguese": "Português Brasileiro",
"com_nav_lang_catalan": "Català",
"com_nav_lang_chinese": "中文",
"com_nav_lang_czech": "Čeština",
"com_nav_lang_danish": "Dansk",
"com_nav_lang_dutch": "Nederlands",
"com_nav_lang_english": "English",
"com_nav_lang_estonian": "Eesti keel",
"com_nav_lang_finnish": "Suomi",
"com_nav_lang_french": "Français ",
"com_nav_lang_georgian": "ქართული",
"com_nav_lang_german": "Deutsch",
"com_nav_lang_hebrew": "עברית",
"com_nav_lang_hungarian": "Ungarisch",
"com_nav_lang_indonesia": "Indonesia",
"com_nav_lang_italian": "Italiano",
"com_nav_lang_japanese": "日本語",
"com_nav_lang_korean": "한국어",
"com_nav_lang_persian": "Persisch",
"com_nav_lang_polish": "Polski",
"com_nav_lang_portuguese": "Português",
"com_nav_lang_russian": "Русский",
"com_nav_lang_spanish": "Español",
"com_nav_lang_swedish": "Svenska",
"com_nav_lang_thai": "ไทย",
"com_nav_lang_traditional_chinese": "繁體中文",
"com_nav_lang_turkish": "Türkçe",
"com_nav_lang_vietnamese": "Tiếng Việt",
"com_nav_language": "Sprache",
"com_nav_latex_parsing": "LaTeX in Nachrichten parsen (kann die Leistung beeinflussen)",
"com_nav_log_out": "Abmelden",
"com_nav_long_audio_warning": "Längere Texte benötigen mehr Zeit zur Verarbeitung.",
"com_nav_maximize_chat_space": "Chat-Bereich maximieren",
"com_nav_modular_chat": "Ermöglicht das Wechseln der Endpunkte mitten im Gespräch",
"com_nav_my_files": "Meine Dateien",
"com_nav_not_supported": "Nicht unterstützt",
"com_nav_open_sidebar": "Seitenleiste öffnen",
"com_nav_playback_rate": "Audio-Wiedergabegeschwindigkeit",
"com_nav_plugin_auth_error": "Bei dem Versuch, dieses Plugin zu authentifizieren, ist ein Fehler aufgetreten. Bitte versuche es erneut.",
"com_nav_plugin_install": "Installieren",
"com_nav_plugin_search": "Plugins suchen",
"com_nav_plugin_store": "Plugin-Store",
"com_nav_plugin_uninstall": "Deinstallieren",
"com_nav_plus_command": "+-Befehl",
"com_nav_plus_command_description": "Schaltet den Befehl \"+\" zum Hinzufügen einer Mehrfachantwort-Einstellung um",
"com_nav_profile_picture": "Profilbild",
"com_nav_save_badges_state": "Badgestatus speichern",
"com_nav_save_drafts": "Entwürfe lokal speichern",
"com_nav_scroll_button": "Zum Ende scrollen Button",
"com_nav_search_placeholder": "Nachrichten durchsuchen",
"com_nav_send_message": "Nachricht senden",
"com_nav_setting_account": "Konto",
"com_nav_setting_beta": "Beta-Funktionen",
"com_nav_setting_chat": "Chat",
"com_nav_setting_data": "Datensteuerung",
"com_nav_setting_general": "Allgemein",
"com_nav_setting_speech": "Sprache",
"com_nav_settings": "Einstellungen",
"com_nav_shared_links": "Geteilte Links",
"com_nav_show_code": "Code immer anzeigen, wenn der Code-Interpreter verwendet wird",
"com_nav_show_thinking": "Denkprozess-Dropdowns standardmäßig öffnen",
"com_nav_slash_command": "/-Befehl",
"com_nav_slash_command_description": "Schaltet den Befehl \"/\" zur Auswahl einer Eingabeaufforderung über die Tastatur um",
"com_nav_speech_to_text": "Sprache zu Text",
"com_nav_stop_generating": "Generierung stoppen",
"com_nav_text_to_speech": "Text zu Sprache",
"com_nav_theme": "Design",
"com_nav_theme_dark": "Dunkel",
"com_nav_theme_light": "Hell",
"com_nav_theme_system": "System",
"com_nav_tool_dialog": "Assistenten-Werkzeuge",
"com_nav_tool_dialog_agents": "Agent-Tools",
"com_nav_tool_dialog_description": "Assistent muss gespeichert werden, um Werkzeugauswahlen zu speichern.",
"com_nav_tool_remove": "Entfernen",
"com_nav_tool_search": "Werkzeuge suchen",
"com_nav_user": "BENUTZER",
"com_nav_user_msg_markdown": "Benutzernachrichten als Markdown darstellen",
"com_nav_user_name_display": "Benutzernamen in Nachrichten anzeigen",
"com_nav_voice_select": "Stimme",
"com_show_agent_settings": "Agenteneinstellungen anzeigen",
"com_show_completion_settings": "Vervollständigungseinstellungen anzeigen",
"com_show_examples": "Beispiele anzeigen",
"com_sidepanel_agent_builder": "Agenten Ersteller",
"com_sidepanel_assistant_builder": "Assistenten-Ersteller",
"com_sidepanel_attach_files": "Dateien anhängen",
"com_sidepanel_conversation_tags": "Lesezeichen",
"com_sidepanel_hide_panel": "Seitenleiste ausblenden",
"com_sidepanel_manage_files": "Dateien verwalten",
"com_sidepanel_parameters": "KI-Einstellungen",
"com_sources_image_alt": "Suchergebnis Bild",
"com_sources_more_sources": "+{{count}} Quellen",
"com_sources_tab_all": "Alles",
"com_sources_tab_images": "Bilder",
"com_sources_tab_news": "Nachrichten",
"com_sources_title": "Quellen",
"com_ui_2fa_account_security": "Die Zwei-Faktor-Authentifizierung bietet Ihrem Konto eine zusätzliche Sicherheitsebene.",
"com_ui_2fa_disable": "2FA deaktivieren",
"com_ui_2fa_disable_error": "Beim Deaktivieren der Zwei-Faktor-Authentifizierung ist ein Fehler aufgetreten.",
"com_ui_2fa_disabled": "2FA wurde deaktiviert.",
"com_ui_2fa_enable": "2FA aktivieren",
"com_ui_2fa_enabled": "2FA wurde aktiviert.",
"com_ui_2fa_generate_error": "Beim Erstellen der Einstellungen für die Zwei-Faktor-Authentifizierung ist ein Fehler aufgetreten.",
"com_ui_2fa_invalid": "Ungültiger Zwei-Faktor-Authentifizierungscode.",
"com_ui_2fa_setup": "2FA einrichten",
"com_ui_2fa_verified": "Die Zwei-Faktor-Authentifizierung wurde erfolgreich verifiziert.",
"com_ui_accept": "Ich akzeptiere",
"com_ui_action_button": "Aktionstaste",
"com_ui_add": "Hinzufügen",
"com_ui_add_model_preset": "Ein KI-Modell oder eine Voreinstellung für eine zusätzliche Antwort hinzufügen",
"com_ui_add_multi_conversation": "Mehrere Chats hinzufügen",
"com_ui_adding_details": "Hinzufügen von Details",
"com_ui_admin": "Admin",
"com_ui_admin_access_warning": "Das Deaktivieren des Admin-Zugriffs auf diese Funktion kann zu unerwarteten Problemen in der Benutzeroberfläche führen, die ein Neuladen erfordern. Nach dem Speichern kann dies nur über die Schnittstelleneinstellung in der librechat.yaml-Konfiguration rückgängig gemacht werden, was sich auf alle Rollen auswirkt.",
"com_ui_admin_settings": "Admin-Einstellungen",
"com_ui_advanced": "Erweitert",
"com_ui_advanced_settings": "Erweiterte Einstellungen",
"com_ui_agent": "Agent",
"com_ui_agent_chain": "Agent-Kette",
"com_ui_agent_chain_info": "Ermöglicht das Erstellen von Agenten-Sequenzen. Jeder Agent kann auf die Ausgaben vorheriger Agenten in der Kette zugreifen. Basiert auf der \"Mixture-of-Agents\"-Architektur, bei der Agenten vorherige Ausgaben als zusätzliche Informationen verwenden.",
"com_ui_agent_chain_max": "Du hast die maximale Anzahl von {{0}} Agenten erreicht.",
"com_ui_agent_delete_error": "Beim Löschen des Assistenten ist ein Fehler aufgetreten",
"com_ui_agent_deleted": "Assistent erfolgreich gelöscht",
"com_ui_agent_duplicate_error": "Beim Duplizieren des Assistenten ist ein Fehler aufgetreten",
"com_ui_agent_duplicated": "Agent wurde erfolgreich dupliziert",
"com_ui_agent_editing_allowed": "Andere Nutzende können diesen Agenten bereits bearbeiten",
"com_ui_agent_recursion_limit": "Maximale Agenten-Schritte",
"com_ui_agent_recursion_limit_info": "Begrenzt, wie viele Schritte der Agent in einem Durchlauf ausführen kann, bevor er eine endgültige Antwort gibt. Der Standardwert ist 25 Schritte. Ein Schritt ist entweder eine KI-API-Anfrage oder eine Werkzeugnutzungsrunde. Eine einfache Werkzeuginteraktion umfasst beispielsweise 3 Schritte: die ursprüngliche Anfrage, die Werkzeugnutzung und die Folgeanfrage.",
"com_ui_agent_shared_to_all": "Hier muss etwas eingegeben werden. War leer.",
"com_ui_agent_var": "{{0}} Agent",
"com_ui_agent_version": "Version",
"com_ui_agent_version_active": "Aktive Version",
"com_ui_agent_version_duplicate": "Doppelte Version entdeckt. Dies würde eine Version erzeugen, die identisch mit der Version {{versionIndex}} ist.",
"com_ui_agent_version_empty": "Keine Versionen verfügbar",
"com_ui_agent_version_error": "Fehler beim Abrufen der Versionen",
"com_ui_agent_version_history": "Versionsgeschichte",
"com_ui_agent_version_no_agent": "Kein Agent ausgewählt. Bitte wähle einen Agenten aus, um den Versionsverlauf anzuzeigen.",
"com_ui_agent_version_no_date": "Datum nicht verfügbar",
"com_ui_agent_version_restore": "Wiederherstellen",
"com_ui_agent_version_restore_confirm": "Bist du sicher, dass du diese Version wiederherstellen willst?",
"com_ui_agent_version_unknown_date": "Unbekanntes Datum",
"com_ui_agents": "Agenten",
"com_ui_agents_allow_create": "Erlaube Agents zu erstellen",
"com_ui_agents_allow_share_global": "Erlaube das Teilen von Agenten mit allen Nutzern",
"com_ui_agents_allow_use": "Verwendung von Agenten erlauben",
"com_ui_all": "alle",
"com_ui_all_proper": "Alle",
"com_ui_analyzing": "Analyse läuft",
"com_ui_analyzing_finished": "Analyse abgeschlossen",
"com_ui_api_key": "API-Schlüssel",
"com_ui_archive": "Archivieren",
"com_ui_archive_delete_error": "Archivierter Chat konnte nicht gelöscht werden.",
"com_ui_archive_error": "Konversation konnte nicht archiviert werden",
"com_ui_artifact_click": "Zum Öffnen klicken",
"com_ui_artifacts": "Artefakte",
"com_ui_artifacts_toggle": "Artefakte-Funktion einschalten",
"com_ui_artifacts_toggle_agent": "Artefakte aktivieren",
"com_ui_ascending": "Aufsteigend",
"com_ui_assistant": "Assistent",
"com_ui_assistant_delete_error": "Beim Löschen des Assistenten ist ein Fehler aufgetreten",
"com_ui_assistant_deleted": "Assistent erfolgreich gelöscht",
"com_ui_assistants": "Assistenten",
"com_ui_assistants_output": "Assistenten-Ausgabe",
"com_ui_attach_error": "Datei kann nicht angehängt werden. Erstelle oder wähle einen Chat oder versuche, die Seite zu aktualisieren.",
"com_ui_attach_error_openai": "Assistentendateien können nicht an andere Endpunkte angehängt werden",
"com_ui_attach_error_size": "Dateigrößenlimit für Endpunkt überschritten:",
"com_ui_attach_error_type": "Nicht unterstützter Dateityp für Endpunkt:",
"com_ui_attach_remove": "Datei entfernen",
"com_ui_attach_warn_endpoint": "Nicht-Assistentendateien werden möglicherweise ohne kompatibles Werkzeug ignoriert",
"com_ui_attachment": "Anhang",
"com_ui_auth_type": "Authentifizierungstyp",
"com_ui_auth_url": "Autorisierungs-URL",
"com_ui_authentication": "Authentifizierung",
"com_ui_authentication_type": "Authentifizierungstyp",
"com_ui_avatar": "Avatar",
"com_ui_azure": "Azure",
"com_ui_back_to_chat": "Zurück zum Chat",
"com_ui_back_to_prompts": "Zurück zu den Prompts",
"com_ui_backup_codes": "Backup-Codes",
"com_ui_backup_codes_regenerate_error": "Beim Neuerstellen der Backup-Codes ist ein Fehler aufgetreten.",
"com_ui_backup_codes_regenerated": "Backup-Codes wurden erfolgreich neu erstellt.",
"com_ui_basic": "Basic",
"com_ui_basic_auth_header": "Basic-Authentifizierungsheader",
"com_ui_bearer": "Bearer",
"com_ui_bookmark_delete_confirm": "Bist du sicher, dass du dieses Lesezeichen löschen möchtest?",
"com_ui_bookmarks": "Lesezeichen",
"com_ui_bookmarks_add": "Lesezeichen hinzufügen",
"com_ui_bookmarks_add_to_conversation": "Zur aktuellen Konversation hinzufügen",
"com_ui_bookmarks_count": "Anzahl",
"com_ui_bookmarks_create_error": "Beim Erstellen des Lesezeichens ist ein Fehler aufgetreten",
"com_ui_bookmarks_create_exists": "Dieses Lesezeichen existiert bereits",
"com_ui_bookmarks_create_success": "Lesezeichen erfolgreich erstellt",
"com_ui_bookmarks_delete": "Lesezeichen löschen",
"com_ui_bookmarks_delete_error": "Beim Löschen des Lesezeichens ist ein Fehler aufgetreten",
"com_ui_bookmarks_delete_success": "Lesezeichen erfolgreich gelöscht",
"com_ui_bookmarks_description": "Beschreibung",
"com_ui_bookmarks_edit": "Lesezeichen bearbeiten",
"com_ui_bookmarks_filter": "Lesezeichen filtern...",
"com_ui_bookmarks_new": "Neues Lesezeichen",
"com_ui_bookmarks_title": "Titel",
"com_ui_bookmarks_update_error": "Beim Aktualisieren des Lesezeichens ist ein Fehler aufgetreten",
"com_ui_bookmarks_update_success": "Lesezeichen erfolgreich aktualisiert",
"com_ui_bulk_delete_error": "Geteilte Links konnten nicht gelöscht werden.",
"com_ui_callback_url": "Callback-URL",
"com_ui_cancel": "Abbrechen",
"com_ui_category": "Kategorie",
"com_ui_chat": "Chat",
"com_ui_chat_history": "Chatverlauf",
"com_ui_clear": "Löschen",
"com_ui_clear_all": "Auswahl löschen",
"com_ui_client_id": "Client-ID",
"com_ui_client_secret": "Client Secret",
"com_ui_close": "Schließen",
"com_ui_close_menu": "Menü schließen",
"com_ui_code": "Code",
"com_ui_collapse_chat": "Chat einklappen",
"com_ui_command_placeholder": "Optional: Gib einen Promptbefehl ein oder den Namen.",
"com_ui_command_usage_placeholder": "Wähle einen Prompt nach Befehl oder Name aus",
"com_ui_complete_setup": "Einrichtung abschließen",
"com_ui_confirm_action": "Aktion bestätigen",
"com_ui_confirm_admin_use_change": "Wenn du diese Einstellung änderst, wird der Zugriff für Administratoren, einschließlich dir selbst, gesperrt. Bist du sicher, dass du fortfahren möchtest?",
"com_ui_confirm_change": "Änderung bestätigen",
"com_ui_context": "Kontext",
"com_ui_continue": "Fortfahren",
"com_ui_controls": "Steuerung",
"com_ui_convo_delete_error": "Unterhaltung konnte nicht gelöscht werden.",
"com_ui_copied": "Kopiert!",
"com_ui_copied_to_clipboard": "In die Zwischenablage kopiert",
"com_ui_copy_code": "Code kopieren",
"com_ui_copy_link": "Link kopieren",
"com_ui_copy_to_clipboard": "In die Zwischenablage kopieren",
"com_ui_create": "Erstellen",
"com_ui_create_link": "Link erstellen",
"com_ui_create_prompt": "Prompt erstellen",
"com_ui_creating_image": "Bild wird erstellt. Kann einen Moment dauern",
"com_ui_currently_production": "Aktuell im Produktivbetrieb",
"com_ui_custom": "Benutzerdefiniert",
"com_ui_custom_header_name": "Benutzerdefinierter Headername",
"com_ui_custom_prompt_mode": "Benutzerdefinierter Promptmodus für Artefakte",
"com_ui_dashboard": "Dashboard",
"com_ui_date": "Datum",
"com_ui_date_april": "April",
"com_ui_date_august": "August",
"com_ui_date_december": "Dezember",
"com_ui_date_february": "Februar",
"com_ui_date_january": "Januar",
"com_ui_date_july": "Juli",
"com_ui_date_june": "Juni",
"com_ui_date_march": "März",
"com_ui_date_may": "Mai",
"com_ui_date_november": "November",
"com_ui_date_october": "Oktober",
"com_ui_date_previous_30_days": "Letzte 30 Tage",
"com_ui_date_previous_7_days": "Letzte 7 Tage",
"com_ui_date_september": "September",
"com_ui_date_today": "Heute",
"com_ui_date_yesterday": "Gestern",
"com_ui_decline": "Ich akzeptiere nicht",
"com_ui_default_post_request": "Standard (POST-Anfrage)",
"com_ui_delete": "Löschen",
"com_ui_delete_action": "Aktion löschen",
"com_ui_delete_action_confirm": "Bist du sicher, dass du diese Aktion löschen möchtest?",
"com_ui_delete_agent_confirm": "Bist du sicher, dass du diesen Agenten löschen möchtest?",
"com_ui_delete_assistant_confirm": "Bist du sicher, dass du diesen Assistenten löschen möchtest? Dies kann nicht rückgängig gemacht werden.",
"com_ui_delete_confirm": "Dies wird löschen:",
"com_ui_delete_confirm_prompt_version_var": "Dies wird die ausgewählte Version für \"{{0}}\" löschen. Wenn keine anderen Versionen existieren, wird der Prompt gelöscht.",
"com_ui_delete_conversation": "Chat löschen?",
"com_ui_delete_prompt": "Prompt löschen?",
"com_ui_delete_shared_link": "Geteilten Link löschen?",
"com_ui_delete_tool": "Werkzeug löschen",
"com_ui_delete_tool_confirm": "Bist du sicher, dass du dieses Werkzeug löschen möchtest?",
"com_ui_descending": "Absteigend",
"com_ui_description": "Beschreibung",
"com_ui_description_placeholder": "Optional: Gib eine Beschreibung für den Prompt ein",
"com_ui_disabling": "Deaktiviere …",
"com_ui_download": "Herunterladen",
"com_ui_download_artifact": "Artefakt herunterladen",
"com_ui_download_backup": "Backup-Codes herunterladen",
"com_ui_download_backup_tooltip": "Bevor Sie fortfahren, laden Sie bitte Ihre Backup-Codes herunter. Sie benötigen sie, um den Zugang wiederherzustellen, falls Sie Ihr Authentifizierungsgerät verlieren.",
"com_ui_download_error": "Fehler beim Herunterladen der Datei. Die Datei wurde möglicherweise gelöscht.",
"com_ui_drag_drop": "Ziehen und Ablegen",
"com_ui_dropdown_variables": "Dropdown-Variablen:",
"com_ui_dropdown_variables_info": "Erstellen Sie benutzerdefinierte Dropdown-Menüs für Ihre Eingabeaufforderungen: `{{variable_name:option1|option2|option3}}`",
"com_ui_duplicate": "Duplizieren",
"com_ui_duplication_error": "Beim Duplizieren der Konversation ist ein Fehler aufgetreten",
"com_ui_duplication_processing": "Konversation wird dupliziert...",
"com_ui_duplication_success": "Unterhaltung erfolgreich dupliziert",
"com_ui_edit": "Bearbeiten",
"com_ui_edit_editing_image": "Bild bearbeiten",
"com_ui_empty_category": "-",
"com_ui_endpoint": "Endpunkt",
"com_ui_endpoint_menu": "LLM-Endpunkt-Menü",
"com_ui_enter": "Eingabe",
"com_ui_enter_api_key": "API-Schlüssel eingeben",
"com_ui_enter_openapi_schema": "Gib hier dein OpenAPI-Schema ein",
"com_ui_error": "Fehler",
"com_ui_error_connection": "Verbindungsfehler zum Server. Versuche, die Seite zu aktualisieren.",
"com_ui_error_save_admin_settings": "Beim Speichern Ihrer Admin-Einstellungen ist ein Fehler aufgetreten.",
"com_ui_examples": "Beispiele",
"com_ui_expand_chat": "Chat erweitern",
"com_ui_export_convo_modal": "Konversation exportieren",
"com_ui_field_required": "Dieses Feld ist erforderlich",
"com_ui_files": "Dateien",
"com_ui_filter_prompts": "Prompts filtern",
"com_ui_filter_prompts_name": "Prompts nach Namen filtern",
"com_ui_final_touch": "Letzter Schliff",
"com_ui_finance": "Finanzen",
"com_ui_fork": "Abzweigen",
"com_ui_fork_all_target": "Alle bis/von hier einbeziehen",
"com_ui_fork_branches": "Zugehörige Verzweigungen einbeziehen",
"com_ui_fork_change_default": "Standard-Abzweigungsoption",
"com_ui_fork_default": "Standard-Abzweigungsoption verwenden",
"com_ui_fork_error": "Beim Abzweigen der Konversation ist ein Fehler aufgetreten",
"com_ui_fork_from_message": "Wähle eine Abzweigungsoption",
"com_ui_fork_info_1": "Verwende diese Einstellung, um Nachrichten mit dem gewünschten Verhalten abzuzweigen.",
"com_ui_fork_info_2": "\"Abzweigen\" bezieht sich auf das Erstellen einer neuen Konversation, die von bestimmten Nachrichten in der aktuellen Konversation ausgeht/endet und eine Kopie gemäß den ausgewählten Optionen erstellt.",
"com_ui_fork_info_3": "Die \"Zielnachricht\" bezieht sich entweder auf die Nachricht, von der aus dieses Popup geöffnet wurde, oder, wenn du \"{{0}}\" aktivierst, auf die letzte Nachricht in der Konversation.",
"com_ui_fork_info_branches": "Diese Option zweigt die sichtbaren Nachrichten zusammen mit zugehörigen Verzweigungen ab; mit anderen Worten, den direkten Pfad zur Zielnachricht, einschließlich der Verzweigungen entlang des Pfades.",
"com_ui_fork_info_button_label": "Informationen zum Abspalten von Chats anzeigen",
"com_ui_fork_info_remember": "Aktiviere dies, um sich die von dir ausgewählten Optionen für zukünftige Verwendung zu merken, um das Abzweigen von Konversationen nach deinen Vorlieben zu beschleunigen.",
"com_ui_fork_info_start": "Wenn aktiviert, beginnt das Abzweigen von dieser Nachricht bis zur letzten Nachricht in der Konversation, gemäß dem oben ausgewählten Verhalten.",
"com_ui_fork_info_target": "Diese Option zweigt alle Nachrichten ab, die zur Zielnachricht führen, einschließlich ihrer Nachbarn; mit anderen Worten, alle Nachrichtenverzweigungen werden einbezogen, unabhängig davon, ob sie sichtbar sind oder sich auf demselben Pfad befinden.",
"com_ui_fork_info_visible": "Diese Option zweigt nur die sichtbaren Nachrichten ab; mit anderen Worten, den direkten Pfad zur Zielnachricht, ohne jegliche Verzweigungen.",
"com_ui_fork_more_details_about": "Zusätzliche Informationen und Details zur Abspaltungsoption '{{0}}' anzeigen",
"com_ui_fork_more_info_options": "Detaillierte Erklärung aller Abspaltungsoptionen und ihres Verhaltens anzeigen",
"com_ui_fork_processing": "Konversation wird abgezweigt...",
"com_ui_fork_remember": "Merken",
"com_ui_fork_remember_checked": "Ihre Auswahl wird nach der Verwendung gespeichert. Du kannst dies jederzeit in den Einstellungen ändern.",
"com_ui_fork_split_target": "Abzweigung hier beginnen",
"com_ui_fork_split_target_setting": "Abzweigung standardmäßig von der Zielnachricht beginnen",
"com_ui_fork_success": "Konversation erfolgreich abgezweigt",
"com_ui_fork_visible": "Nur sichtbare Nachrichten",
"com_ui_generate_backup": "Backup-Codes generieren",
"com_ui_generate_qrcode": "QR-Code generieren",
"com_ui_generating": "Generiere …",
"com_ui_getting_started": "Erste Schritte",
"com_ui_global_group": "Leer etwas fehlt noch",
"com_ui_go_back": "Zurück",
"com_ui_go_to_conversation": "Zur Konversation gehen",
"com_ui_good_afternoon": "Guten Nachmittag",
"com_ui_good_evening": "Guten Abend",
"com_ui_good_morning": "Guten Morgen",
"com_ui_happy_birthday": "Es ist mein 1. Geburtstag!",
"com_ui_hide_qr": "QR-Code ausblenden",
"com_ui_host": "Host",
"com_ui_idea": "Ideen",
"com_ui_image_created": "Bild erstellt",
"com_ui_image_edited": "Bild bearbeitet",
"com_ui_image_gen": "Bildgenerierung",
"com_ui_import": "Importieren",
"com_ui_import_conversation_error": "Beim Importieren Ihrer Konversationen ist ein Fehler aufgetreten",
"com_ui_import_conversation_file_type_error": "Nicht unterstützter Importtyp",
"com_ui_import_conversation_info": "Konversationen aus einer JSON-Datei importieren",
"com_ui_import_conversation_success": "Konversationen erfolgreich importiert",
"com_ui_include_shadcnui": "Anweisungen für shadcn/ui-Komponenten einschließen",
"com_ui_include_shadcnui_agent": "shadcn/ui-Anweisungen einfügen",
"com_ui_input": "Eingabe",
"com_ui_instructions": "Anweisungen",
"com_ui_late_night": "Schöne späte Nacht",
"com_ui_latest_footer": "Alle KIs für alle.",
"com_ui_latest_production_version": "Neueste Produktiv-Version",
"com_ui_latest_version": "Neueste Version",
"com_ui_librechat_code_api_key": "Hole dir deinen LibreChat Code Interpreter API-Schlüssel",
"com_ui_librechat_code_api_subtitle": "Sicher. Mehrsprachig. Ein-/Ausgabedateien.",
"com_ui_librechat_code_api_title": "KI-Code ausführen",
"com_ui_loading": "Lade …",
"com_ui_locked": "Gesperrt",
"com_ui_logo": "{{0}} Logo",
"com_ui_manage": "Verwalten",
"com_ui_max_tags": "Die maximale Anzahl ist {{0}}, es werden die neuesten Werte verwendet.",
"com_ui_mcp_servers": "MCP Server",
"com_ui_mention": "Erwähne einen Endpunkt, Assistenten oder eine Voreinstellung, um schnell dorthin zu wechseln",
"com_ui_min_tags": "Es können nicht mehr Werte entfernt werden, mindestens {{0}} sind erforderlich.",
"com_ui_misc": "Verschiedenes",
"com_ui_model": "KI-Modell",
"com_ui_model_parameters": "Modell-Parameter",
"com_ui_more_info": "Mehr Infos",
"com_ui_my_prompts": "Meine Prompts",
"com_ui_name": "Name",
"com_ui_new": "Neu",
"com_ui_new_chat": "Neuer Chat",
"com_ui_new_conversation_title": "Neuer Titel des Chats",
"com_ui_next": "Weiter",
"com_ui_no": "Nein",
"com_ui_no_backup_codes": "Keine Backup-Codes verfügbar. Bitte erstelle neue.",
"com_ui_no_bookmarks": "Du hast noch keine Lesezeichen. Klicke auf einen Chat und füge ein neues hinzu",
"com_ui_no_category": "Keine Kategorie",
"com_ui_no_changes": "Keine Änderungen zum Aktualisieren",
"com_ui_no_data": "Leer etwas fehlt noch",
"com_ui_no_terms_content": "Keine Inhalte der Allgemeinen Geschäftsbedingungen zum Anzeigen",
"com_ui_no_valid_items": "Leer - Text fehlt noch",
"com_ui_none": "Keine",
"com_ui_not_used": "Nicht verwendet",
"com_ui_nothing_found": "Nichts gefunden",
"com_ui_oauth": "OAuth",
"com_ui_of": "von",
"com_ui_off": "Aus",
"com_ui_on": "An",
"com_ui_openai": "OpenAI",
"com_ui_page": "Seite",
"com_ui_prev": "Zurück",
"com_ui_preview": "Vorschau",
"com_ui_privacy_policy": "Datenschutzerklärung",
"com_ui_privacy_policy_url": "Datenschutzrichtlinie-URL",
"com_ui_prompt": "Prompt",
"com_ui_prompt_already_shared_to_all": "Dieser Prompt wird bereits mit allen Benutzern geteilt",
"com_ui_prompt_name": "Prompt-Name",
"com_ui_prompt_name_required": "Prompt-Name ist erforderlich",
"com_ui_prompt_preview_not_shared": "Der Autor hat die Zusammenarbeit für diesen Prompt nicht erlaubt.",
"com_ui_prompt_text": "Text",
"com_ui_prompt_text_required": "Text ist erforderlich",
"com_ui_prompt_update_error": "Beim Aktualisieren des Prompts ist ein Fehler aufgetreten",
"com_ui_prompts": "Prompts",
"com_ui_prompts_allow_create": "Erstellung von Prompts erlauben",
"com_ui_prompts_allow_share_global": "Teilen von Prompts mit allen Benutzern erlauben",
"com_ui_prompts_allow_use": "Verwendung von Prompts erlauben",
"com_ui_provider": "Anbieter",
"com_ui_read_aloud": "Vorlesen",
"com_ui_redirecting_to_provider": "Weiterleitung zu {{0}}, einen Moment bitte...",
"com_ui_refresh_link": "Link aktualisieren",
"com_ui_regenerate": "Neu generieren",
"com_ui_regenerate_backup": "Backup-Codes neu generieren",
"com_ui_regenerating": "Generiere neu ...",
"com_ui_region": "Region",
"com_ui_rename": "Umbenennen",
"com_ui_rename_conversation": "Chat umbenennen",
"com_ui_rename_failed": "Chat konnte nicht umbenannt werden.",
"com_ui_rename_prompt": "Prompt umbenennen",
"com_ui_requires_auth": "Authentifizierung erforderlich",
"com_ui_reset_var": "{{0}} zurücksetzen",
"com_ui_result": "Ergebnis",
"com_ui_revoke": "Widerrufen",
"com_ui_revoke_info": "Benutzer-API-Keys widerrufen",
"com_ui_revoke_key_confirm": "Bist du sicher, dass du diesen Schlüssel widerrufen möchtest?",
"com_ui_revoke_key_endpoint": "API-Schlüssel für {{0}} widerrufen",
"com_ui_revoke_keys": "Schlüssel widerrufen",
"com_ui_revoke_keys_confirm": "Bist du sicher, dass du alle Schlüssel widerrufen möchtest?",
"com_ui_role_select": "Rolle auswählen",
"com_ui_roleplay": "Rollenspiel",
"com_ui_run_code": "Code ausführen",
"com_ui_run_code_error": "Bei der Ausführung des Codes ist ein Fehler aufgetreten",
"com_ui_save": "Speichern",
"com_ui_save_badge_changes": "Änderungen an Badges speichern?",
"com_ui_save_submit": "Speichern & Absenden",
"com_ui_saved": "Gespeichert!",
"com_ui_schema": "Schema",
"com_ui_scope": "Umfang",
"com_ui_search": "Suche",
"com_ui_secret_key": "Geheimschlüssel",
"com_ui_select": "Auswählen",
"com_ui_select_file": "Datei auswählen",
"com_ui_select_model": "Ein KI-Modell auswählen",
"com_ui_select_provider": "Wähle einen Anbieter",
"com_ui_select_provider_first": "Wähle zuerst einen Anbieter",
"com_ui_select_region": "Wähle eine Region",
"com_ui_select_search_model": "KI-Modell nach Namen suchen",
"com_ui_select_search_plugin": "Plugin nach Namen suchen",
"com_ui_select_search_provider": "Provider nach Name suchen",
"com_ui_select_search_region": "Region nach Name suchen",
"com_ui_share": "Teilen",
"com_ui_share_create_message": "Ihr Name und alle Nachrichten, die du nach dem Teilen hinzufügst, bleiben privat.",
"com_ui_share_delete_error": "Beim Löschen des geteilten Links ist ein Fehler aufgetreten",
"com_ui_share_error": "Beim Teilen des Chat-Links ist ein Fehler aufgetreten",
"com_ui_share_form_description": "Leer - Text fehlt noch",
"com_ui_share_link_to_chat": "Link zum Chat teilen",
"com_ui_share_to_all_users": "Mit allen Benutzern teilen",
"com_ui_share_update_message": "Ihr Name, benutzerdefinierte Anweisungen und alle Nachrichten, die du nach dem Teilen hinzufügen, bleiben privat.",
"com_ui_share_var": "{{0}} teilen",
"com_ui_shared_link_bulk_delete_success": "Geteilte Links erfolgreich gelöscht",
"com_ui_shared_link_delete_success": "Geteilter Link erfolgreich gelöscht",
"com_ui_shared_link_not_found": "Geteilter Link nicht gefunden",
"com_ui_shared_prompts": "Geteilte Prompts",
"com_ui_shop": "Einkaufen",
"com_ui_show": "Anzeigen",
"com_ui_show_all": "Alle anzeigen",
"com_ui_show_qr": "QR-Code anzeigen",
"com_ui_sign_in_to_domain": "Anmelden bei {{0}}",
"com_ui_simple": "Einfach",
"com_ui_size": "Größe",
"com_ui_special_var_current_date": "Aktuelles Datum",
"com_ui_special_var_current_datetime": "Aktuelles Datum & Uhrzeit",
"com_ui_special_var_current_user": "Aktueller Nutzer",
"com_ui_special_var_iso_datetime": "UTC ISO Datum/Zeit",
"com_ui_special_variables": "Spezielle Variablen:",
"com_ui_special_variables_more_info": "Du kannst spezielle Variablen aus den Dropdown-Menüs auswählen: `{{current_date}}` (heutiges Datum und Wochentag), `{{current_datetime}}` (offizielles Datum und Uhrzeit), `{{utc_iso_datetime}}` (UTC ISO Datum/Zeit) und `{{current_user}}` (dein Kontoname).",
"com_ui_speech_while_submitting": "Spracheingabe nicht möglich während eine Antwort generiert wird",
"com_ui_sr_actions_menu": "Aktionsmenü für \"{{0}}\" öffnen",
"com_ui_stop": "Stopp",
"com_ui_storage": "Speicher",
"com_ui_submit": "Absenden",
"com_ui_teach_or_explain": "Lernen",
"com_ui_temporary": "Privater Chat",
"com_ui_terms_and_conditions": "Allgemeine Geschäftsbedingungen",
"com_ui_terms_of_service": "Nutzungsbedingungen",
"com_ui_thinking": "Nachdenken...",
"com_ui_thoughts": "Gedanken",
"com_ui_token_exchange_method": "Token-Austauschmethode",
"com_ui_token_url": "Token-URL",
"com_ui_tools": "Werkzeuge",
"com_ui_travel": "Reisen",
"com_ui_unarchive": "Aus Archiv holen",
"com_ui_unarchive_error": "Konversation konnte nicht aus dem Archiv geholt werden",
"com_ui_unknown": "Unbekannt",
"com_ui_untitled": "Unbenannt",
"com_ui_update": "Aktualisieren",
"com_ui_upload": "Hochladen",
"com_ui_upload_code_files": "Hochladen für Code-Interpreter",
"com_ui_upload_delay": "Das Hochladen von \"{{0}}\" dauert etwas länger. Bitte warte, während die Datei für den Abruf indexiert wird.",
"com_ui_upload_error": "Beim Hochladen Ihrer Datei ist ein Fehler aufgetreten",
"com_ui_upload_file_context": "Kontext der Datei hochladen",
"com_ui_upload_file_search": "Hochladen für Dateisuche",
"com_ui_upload_files": "Dateien hochladen",
"com_ui_upload_image": "Ein Bild hochladen",
"com_ui_upload_image_input": "Bild hochladen",
"com_ui_upload_invalid": "Ungültige Datei zum Hochladen. Muss ein Bild sein und das Limit nicht überschreiten",
"com_ui_upload_invalid_var": "Ungültige Datei zum Hochladen. Muss ein Bild sein und {{0}} MB nicht überschreiten",
"com_ui_upload_ocr_text": "Hochladen als Text",
"com_ui_upload_success": "Datei erfolgreich hochgeladen",
"com_ui_upload_type": "Upload-Typ auswählen",
"com_ui_use_2fa_code": "Stattdessen 2FA-Code verwenden",
"com_ui_use_backup_code": "Stattdessen Backup-Code verwenden",
"com_ui_use_micrphone": "Mikrofon verwenden",
"com_ui_use_prompt": "Prompt verwenden",
"com_ui_used": "Verwendet",
"com_ui_variables": "Variablen",
"com_ui_variables_info": "Verwende doppelte geschweifte Klammern in Ihrem Text, um Variablen zu erstellen, z.B. {{Beispielvariable}}, die du später beim Verwenden des Prompts ausfüllen kannst.",
"com_ui_verify": "Überprüfen",
"com_ui_version_var": "Version {{0}}",
"com_ui_versions": "Versionen",
"com_ui_view_source": "Quell-Chat anzeigen",
"com_ui_web_search": "Web-Suche",
"com_ui_web_search_api_subtitle": "Suche im Internet nach aktuellen Informationen",
"com_ui_web_search_cohere_key": "Cohere API-Schlüssel eingeben",
"com_ui_web_search_firecrawl_url": "Firecrawl API URL (optional)",
"com_ui_web_search_jina_key": "Den Jina API Schlüssel eingeben",
"com_ui_web_search_processing": "Ergebnisse verarbeiten",
"com_ui_web_search_provider": "Anbieter der Suche",
"com_ui_web_search_provider_serper": "Serper API",
"com_ui_web_search_provider_serper_key": "Einen Serper API Schlüssel holen",
"com_ui_web_search_reading": "Lesen der Suchergebnisse",
"com_ui_web_search_reranker": "Reranker",
"com_ui_web_search_reranker_cohere": "Cohere",
"com_ui_web_search_reranker_cohere_key": "Einen Cohere API-Schlüssel holen",
"com_ui_web_search_reranker_jina": "Jina AI",
"com_ui_web_search_reranker_jina_key": "Einen Jina API Schlüssel holen",
"com_ui_web_search_scraper": "Scraper",
"com_ui_web_search_scraper_firecrawl": "Firecrawl API",
"com_ui_web_search_scraper_firecrawl_key": "Einen Firecrawl API Schlüssel holen",
"com_ui_web_searching": "Internetsuche läuft",
"com_ui_web_searching_again": "Sucht erneut im Internet",
"com_ui_weekend_morning": "Schönes Wochenende",
"com_ui_write": "Schreiben",
"com_ui_x_selected": "{{0}} ausgewählt",
"com_ui_yes": "Ja",
"com_ui_zoom": "Zoom",
"com_user_message": "Du",
"com_warning_resubmit_unsupported": "Das erneute Senden der KI-Nachricht wird für diesen Endpunkt nicht unterstützt."
}

Some files were not shown because too many files have changed in this diff Show more