mirror of
https://github.com/toeverything/AFFiNE.git
synced 2024-12-23 21:11:51 +03:00
chore: update translation (#2916)
Co-authored-by: zuozijian3720 <zuozijian1994@gmail.com>
This commit is contained in:
parent
5b8771485e
commit
5ad2908760
@ -1,3 +1,4 @@
|
||||
import { useAFFiNEI18N } from '@affine/i18n/hooks';
|
||||
import {
|
||||
AppearanceIcon,
|
||||
InformationIcon,
|
||||
@ -17,23 +18,26 @@ export type GeneralSettingList = {
|
||||
icon: FC<SVGProps<SVGSVGElement>>;
|
||||
}[];
|
||||
|
||||
export const generalSettingList: GeneralSettingList = [
|
||||
export const useGeneralSettingList = (): GeneralSettingList => {
|
||||
const t = useAFFiNEI18N();
|
||||
return [
|
||||
{
|
||||
key: 'appearance',
|
||||
title: 'Appearance',
|
||||
title: t['com.affine.settings.appearance'](),
|
||||
icon: AppearanceIcon,
|
||||
},
|
||||
{
|
||||
key: 'shortcuts',
|
||||
title: 'Keyboard Shortcuts',
|
||||
title: t['Keyboard Shortcuts'](),
|
||||
icon: KeyboardIcon,
|
||||
},
|
||||
{
|
||||
key: 'about',
|
||||
title: 'About AFFiNE',
|
||||
title: t['About AFFiNE'](),
|
||||
icon: InformationIcon,
|
||||
},
|
||||
];
|
||||
];
|
||||
};
|
||||
|
||||
export const GeneralSetting = ({
|
||||
generalKey,
|
||||
|
@ -18,7 +18,7 @@ import { AccountSetting } from './account-setting';
|
||||
import {
|
||||
GeneralSetting,
|
||||
type GeneralSettingKeys,
|
||||
generalSettingList,
|
||||
useGeneralSettingList,
|
||||
} from './general-setting';
|
||||
import { SettingSidebar } from './setting-sidebar';
|
||||
import { settingContent } from './style.css';
|
||||
@ -32,7 +32,7 @@ export const SettingModal: React.FC<SettingModalProps> = ({
|
||||
const t = useAFFiNEI18N();
|
||||
const workspaces = useWorkspaces();
|
||||
const [currentWorkspace] = useCurrentWorkspace();
|
||||
|
||||
const generalSettingList = useGeneralSettingList();
|
||||
const workspaceList = useMemo(() => {
|
||||
return workspaces.filter(
|
||||
({ flavour }) => flavour !== WorkspaceFlavour.PUBLIC
|
||||
|
@ -4,9 +4,9 @@ import type {
|
||||
AffineLegacyCloudWorkspace,
|
||||
LocalWorkspace,
|
||||
} from '@affine/env/workspace';
|
||||
import { useAFFiNEI18N } from '@affine/i18n/hooks';
|
||||
import { useBlockSuiteWorkspaceName } from '@toeverything/hooks/use-block-suite-workspace-name';
|
||||
import clsx from 'clsx';
|
||||
import React from 'react';
|
||||
|
||||
import type {
|
||||
GeneralSettingKeys,
|
||||
@ -44,10 +44,11 @@ export const SettingSidebar = ({
|
||||
selectedGeneralKey: string | null;
|
||||
onAccountSettingClick: () => void;
|
||||
}) => {
|
||||
const t = useAFFiNEI18N();
|
||||
return (
|
||||
<div className={settingSlideBar}>
|
||||
<div className={sidebarTitle}>Settings</div>
|
||||
<div className={sidebarSubtitle}>General</div>
|
||||
<div className={sidebarTitle}>{t['Settings']()}</div>
|
||||
<div className={sidebarSubtitle}>{t['General']()}</div>
|
||||
<div className={sidebarItemsWrapper}>
|
||||
{generalSettingList.map(({ title, icon, key }) => {
|
||||
return (
|
||||
@ -68,7 +69,9 @@ export const SettingSidebar = ({
|
||||
})}
|
||||
</div>
|
||||
|
||||
<div className={sidebarSubtitle}>Workspace</div>
|
||||
<div className={sidebarSubtitle}>
|
||||
{t['com.affine.settings.workspace']()}
|
||||
</div>
|
||||
<div className={clsx(sidebarItemsWrapper, 'scroll')}>
|
||||
{workspaceList.map(workspace => {
|
||||
return (
|
||||
|
@ -9,6 +9,7 @@ import type {
|
||||
Ref,
|
||||
VariableMap,
|
||||
} from '@affine/env/filter';
|
||||
import { createI18n, I18nextProvider } from '@affine/i18n';
|
||||
import { assertExists } from '@blocksuite/global/utils';
|
||||
import { render } from '@testing-library/react';
|
||||
import type { ReactElement } from 'react';
|
||||
@ -21,7 +22,6 @@ import { toLiteral } from '../filter/shared-types';
|
||||
import type { FilterMatcherDataType } from '../filter/vars';
|
||||
import { filterMatcher } from '../filter/vars';
|
||||
import { filterByFilterList } from '../use-all-page-setting';
|
||||
|
||||
const ref = (name: keyof VariableMap): Ref => {
|
||||
return {
|
||||
type: 'ref',
|
||||
@ -117,13 +117,19 @@ describe('eval filter', () => {
|
||||
|
||||
describe('render filter', () => {
|
||||
test('boolean condition value change', async () => {
|
||||
const i18n = createI18n();
|
||||
const is = filterMatcher.match(tBoolean.create());
|
||||
assertExists(is);
|
||||
const Wrapper = () => {
|
||||
const [value, onChange] = useState(
|
||||
filter(is, ref('Is Favourited'), [true])
|
||||
);
|
||||
return <Condition value={value} onChange={onChange} />;
|
||||
|
||||
return (
|
||||
<I18nextProvider i18n={i18n}>
|
||||
<Condition value={value} onChange={onChange} />
|
||||
</I18nextProvider>
|
||||
);
|
||||
};
|
||||
const result = render(<Wrapper />);
|
||||
const dom = await result.findByText('true');
|
||||
|
@ -3,6 +3,7 @@ import type { ReactNode } from 'react';
|
||||
import { useMemo } from 'react';
|
||||
|
||||
import { Menu, MenuItem } from '../../../ui/menu';
|
||||
import { FilterTag } from './filter-tag-translation';
|
||||
import * as styles from './index.css';
|
||||
import { literalMatcher } from './literal-matcher';
|
||||
import type { TFunction, TType } from './logical/typesystem';
|
||||
@ -39,7 +40,9 @@ export const Condition = ({
|
||||
<div className={styles.filterTypeIconStyle}>
|
||||
{variableDefineMap[ast.left.name].icon}
|
||||
</div>
|
||||
<div>{ast.left.name}</div>
|
||||
<div>
|
||||
<FilterTag name={ast.left.name} />
|
||||
</div>
|
||||
</div>
|
||||
</Menu>
|
||||
<Menu
|
||||
@ -47,7 +50,7 @@ export const Condition = ({
|
||||
content={<FunctionSelect value={value} onChange={onChange} />}
|
||||
>
|
||||
<div className={styles.switchStyle} data-testid="filter-name">
|
||||
{ast.funcName}
|
||||
<FilterTag name={ast.funcName} />
|
||||
</div>
|
||||
</Menu>
|
||||
{args}
|
||||
@ -84,7 +87,7 @@ const FunctionSelect = ({
|
||||
}}
|
||||
key={v.name}
|
||||
>
|
||||
{v.name}
|
||||
<FilterTag name={v.name} />
|
||||
</MenuItem>
|
||||
))}
|
||||
</div>
|
||||
|
@ -0,0 +1,29 @@
|
||||
import { useAFFiNEI18N } from '@affine/i18n/hooks';
|
||||
|
||||
type FilterTagProps = {
|
||||
name: string;
|
||||
};
|
||||
|
||||
export const FilterTag = ({ name }: FilterTagProps) => {
|
||||
const t = useAFFiNEI18N();
|
||||
switch (name) {
|
||||
case 'Created':
|
||||
return t['Created']();
|
||||
case 'Updated':
|
||||
return t['Updated']();
|
||||
case 'Is Favourited':
|
||||
return t['com.affine.filter.is-favourited']();
|
||||
case 'after':
|
||||
return t['com.affine.filter.after']();
|
||||
case 'before':
|
||||
return t['com.affine.filter.before']();
|
||||
case 'is':
|
||||
return t['com.affine.filter.is']();
|
||||
case 'true':
|
||||
return t['com.affine.filter.true']();
|
||||
case 'false':
|
||||
return t['com.affine.filter.false']();
|
||||
default:
|
||||
return name;
|
||||
}
|
||||
};
|
@ -3,6 +3,7 @@ import dayjs from 'dayjs';
|
||||
import type { ReactNode } from 'react';
|
||||
|
||||
import { AFFiNEDatePicker } from '../../date-picker';
|
||||
import { FilterTag } from './filter-tag-translation';
|
||||
import { inputStyle } from './index.css';
|
||||
import { tBoolean, tDate } from './logical/custom-type';
|
||||
import { Matcher } from './logical/matcher';
|
||||
@ -28,7 +29,7 @@ literalMatcher.register(tBoolean.create(), {
|
||||
onChange({ type: 'literal', value: !value.value });
|
||||
}}
|
||||
>
|
||||
{value.value?.toString()}
|
||||
<FilterTag name={value.value?.toString()} />
|
||||
</div>
|
||||
),
|
||||
});
|
||||
|
@ -1,8 +1,10 @@
|
||||
import type { Filter, LiteralValue, VariableMap } from '@affine/env/filter';
|
||||
import { useAFFiNEI18N } from '@affine/i18n/hooks';
|
||||
import dayjs from 'dayjs';
|
||||
import type { ReactNode } from 'react';
|
||||
|
||||
import { MenuItem } from '../../../ui/menu';
|
||||
import { FilterTag } from './filter-tag-translation';
|
||||
import * as styles from './index.css';
|
||||
import { tBoolean, tDate } from './logical/custom-type';
|
||||
import { Matcher } from './logical/matcher';
|
||||
@ -48,16 +50,18 @@ export const CreateFilterMenu = ({
|
||||
/>
|
||||
);
|
||||
};
|
||||
|
||||
export const VariableSelect = ({
|
||||
onSelect,
|
||||
}: {
|
||||
selected: Filter[];
|
||||
onSelect: (value: Filter) => void;
|
||||
}) => {
|
||||
const t = useAFFiNEI18N();
|
||||
return (
|
||||
<div data-testid="variable-select">
|
||||
<div className={styles.variableSelectTitleStyle}>Filter</div>
|
||||
<div className={styles.variableSelectTitleStyle}>
|
||||
{t['com.affine.filter']()}
|
||||
</div>
|
||||
<div className={styles.variableSelectDividerStyle}></div>
|
||||
{vars
|
||||
// .filter(v => !selected.find(filter => filter.left.name === v.name))
|
||||
@ -74,7 +78,7 @@ export const VariableSelect = ({
|
||||
data-testid="variable-select-item"
|
||||
className={styles.menuItemTextStyle}
|
||||
>
|
||||
{v.name}
|
||||
<FilterTag name={v.name} />
|
||||
</div>
|
||||
</MenuItem>
|
||||
))}
|
||||
|
@ -1,3 +1,4 @@
|
||||
import { useAFFiNEI18N } from '@affine/i18n/hooks';
|
||||
import { FilteredIcon } from '@blocksuite/icons';
|
||||
import clsx from 'clsx';
|
||||
import { useAtom } from 'jotai';
|
||||
@ -14,6 +15,7 @@ export const ViewList = ({
|
||||
setting: ReturnType<typeof useAllPageSetting>;
|
||||
}) => {
|
||||
const [open] = useAtom(appSidebarOpenAtom);
|
||||
const t = useAFFiNEI18N();
|
||||
return (
|
||||
<div style={{ marginLeft: 4, display: 'flex', alignItems: 'center' }}>
|
||||
{setting.savedViews.length > 0 && (
|
||||
@ -62,7 +64,7 @@ export const ViewList = ({
|
||||
size="small"
|
||||
hoverColor="var(--affine-icon-color)"
|
||||
>
|
||||
Filter
|
||||
{t['com.affine.filter']()}
|
||||
</Button>
|
||||
</Menu>
|
||||
</div>
|
||||
|
@ -23,7 +23,7 @@ const App = () => {
|
||||
|
||||
return (
|
||||
<div>
|
||||
<div>{t('Text')}</div>
|
||||
<div>{t['Workspace Settings']()}</div>
|
||||
|
||||
<button onClick={() => changeLanguage('en')}>{t('Switch to language', { language: 'en' })}</button>
|
||||
<button onClick={() => changeLanguage('zh-Hans')}>{t('Switch to language', { language: 'zh-Hans' })}</button>
|
||||
|
@ -1,6 +1,5 @@
|
||||
{
|
||||
"// THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.": "",
|
||||
"Delete Workspace Description": "Workspace <1>{{workspace}}</1> wird gelöscht und der Inhalt wird verloren sein. Dies kann nicht rückgängig gemacht werden.",
|
||||
"Copied link to clipboard": "Link in die Zwischenablage kopiert",
|
||||
"Local Workspace Description": "Alle Daten sind auf dem aktuellen Gerät gespeichert. Du kannst AFFiNE Cloud für diesen Workspace aktivieren, um deine Daten mit der Cloud zu synchronisieren.",
|
||||
"Download all data": "Alle Daten herunterladen",
|
||||
@ -11,6 +10,7 @@
|
||||
"Remove from workspace": "Vom Workspace entfernen",
|
||||
"Retain cached cloud data": "Zwischengespeicherte Cloud-Daten behalten",
|
||||
"Workspace Owner": "Workspace-Besitzer",
|
||||
"Delete Workspace Description": "Workspace <1>{{workspace}}</1> wird gelöscht und der Inhalt wird verloren sein. Dies kann nicht rückgängig gemacht werden.",
|
||||
"Member": "Mitglied",
|
||||
"Once deleted, you can't undo this action": "Das Löschen kann nicht rückgängig gemacht werden.",
|
||||
"Owner": "Besitzer",
|
||||
@ -71,7 +71,6 @@
|
||||
"Create Or Import": "Erstellen oder importieren",
|
||||
"Delete Workspace": "Workspace löschen",
|
||||
"General": "Generelles",
|
||||
"Delete Workspace Description2": "Das Löschen von <1>{{workspace}}</1> wird sowohl lokale als auch Daten in der Cloud löschen. Dies kann nicht rückgängig gemacht werden.",
|
||||
"Edgeless": "Edgeless",
|
||||
"Divider": "Trenner",
|
||||
"Enable": "Aktivieren",
|
||||
@ -207,6 +206,32 @@
|
||||
"Back to Quick Search": "Zurück zur Schnellsuche",
|
||||
"Disable Public Link": "Öffentlichen Link deaktivieren",
|
||||
"Disable Public Link ?": "Öffentlichen Link deaktivieren ?",
|
||||
"com.affine.yesterday": "Gestern",
|
||||
"com.affine.edgelessMode": "Edgeless-Modus",
|
||||
"com.affine.onboarding.title2": "Intuitive und robuste, blockbasierte Bearbeitung",
|
||||
"com.affine.onboarding.videoDescription1": "Wechsle mühelos zwischen dem Seitenmodus für die strukturierte Dokumentenerstellung und dem Whiteboard-Modus für den Ausdruck kreativer Ideen in freier Form.",
|
||||
"com.affine.onboarding.videoDescription2": "Verwende eine modulare Schnittstelle, um strukturierte Dokumente zu erstellen, indem du Textblöcke, Bilder und andere Inhalte einfach per Drag-and-drop anordnen kannst.",
|
||||
"com.affine.onboarding.title1": "Hyperfusion von Whiteboard und Dokumenten",
|
||||
"com.affine.pageMode": "Seitenmodus",
|
||||
"com.affine.write_with_a_blank_page": "Schreibe mit einer leeren Seite",
|
||||
"com.affine.updater.update-available": "Update verfügbar",
|
||||
"com.affine.updater.restart-to-update": "Neustart zum Installieren des Updates",
|
||||
"com.affine.updater.open-download-page": "Download-Seite öffnen",
|
||||
"com.affine.updater.downloading": "Herunterladen",
|
||||
"com.affine.new_edgeless": "Neuer Edgeless",
|
||||
"com.affine.helpIsland.gettingStarted": "Erste Schritte",
|
||||
"com.affine.draw_with_a_blank_whiteboard": "Zeichnen mit einem leeren Whiteboard",
|
||||
"com.affine.cloudTempDisable.title": "Die AFFiNE Cloud wird gerade aufgerüstet.",
|
||||
"com.affine.cloudTempDisable.description": "Wir aktualisieren den AFFiNE Cloud Service und er ist vorübergehend auf dem Client nicht verfügbar. Wenn du auf dem Laufenden bleiben und über die Verfügbarkeit informiert werden möchtest, kannst du das <1>AFFiNE Cloud Anmeldeformular</1> ausfüllen.",
|
||||
"com.affine.earlier": "Früher",
|
||||
"com.affine.lastMonth": "Letzter Monat",
|
||||
"com.affine.lastWeek": "Letzte Woche",
|
||||
"com.affine.lastYear": "Letztes Jahr",
|
||||
"com.affine.today": "Heute",
|
||||
"com.affine.new_import": "Importieren",
|
||||
"com.affine.workspace.cannot-delete": "Du kannst den letzten Workspace nicht löschen",
|
||||
"com.affine.banner.content": "Dir gefällt die Demo? <1>Lade den AFFiNE Client herunter</1>, um das volle Potenzial zu entdecken.",
|
||||
"com.affine.import_file": "Markdown/Notion Unterstützung",
|
||||
"Favorite pages for easy access": "Favoriten-Seiten für schnellen Zugriff",
|
||||
"Pivots": "Pivots",
|
||||
"RFP": "Seiten können frei zu Pivots hinzugefügt/entfernt werden und bleiben über \"Alle Seiten\" zugänglich.",
|
||||
@ -259,12 +284,6 @@
|
||||
"Sync across devices with AFFiNE Cloud": "Geräteübergreifende Synchronisierung mit AFFiNE Cloud",
|
||||
"Name Your Workspace": "Workspace benennen",
|
||||
"Update Available": "Update verfügbar",
|
||||
"com.affine.edgelessMode": "Edgeless-Modus",
|
||||
"com.affine.onboarding.title2": "Intuitive und robuste, blockbasierte Bearbeitung",
|
||||
"com.affine.onboarding.videoDescription1": "Wechsle mühelos zwischen dem Seitenmodus für die strukturierte Dokumentenerstellung und dem Whiteboard-Modus für den Ausdruck kreativer Ideen in freier Form.",
|
||||
"com.affine.onboarding.videoDescription2": "Verwende eine modulare Schnittstelle, um strukturierte Dokumente zu erstellen, indem du Textblöcke, Bilder und andere Inhalte einfach per Drag-and-drop anordnen kannst.",
|
||||
"com.affine.onboarding.title1": "Hyperfusion von Whiteboard und Dokumenten",
|
||||
"com.affine.pageMode": "Seitenmodus",
|
||||
"Update workspace name success": "Update vom Workspace-Namen erfolgreich",
|
||||
"Use on current device only": "Nur auf dem aktuellen Gerät verwenden",
|
||||
"Workspace database storage description": "Wähle den Ort, an dem du deinen Workspace erstellen möchten. Die Daten vom Workspace werden standardmäßig lokal gespeichert.",
|
||||
@ -274,5 +293,6 @@
|
||||
"Add Workspace": "Workspace hinzufügen",
|
||||
"Export success": "Export erfolgreich",
|
||||
"light": "hell",
|
||||
"others": "Andere"
|
||||
"others": "Andere",
|
||||
"Delete Workspace Description2": "Das Löschen von <1>{{workspace}}</1> wird sowohl lokale als auch Daten in der Cloud löschen. Dies kann nicht rückgängig gemacht werden."
|
||||
}
|
||||
|
@ -5,10 +5,48 @@
|
||||
"AFFiNE Cloud": "AFFiNE Cloud",
|
||||
"Members": "Members",
|
||||
"Add to favorites": "Add to favourites",
|
||||
"com.affine.filter": "Filter",
|
||||
"com.affine.cloudTempDisable.description": "We are upgrading the AFFiNE Cloud service and it is temporarily unavailable on the client side. If you wish to stay updated on the progress and be notified on availability, you can fill out the <1>AFFiNE Cloud Signup</1>.",
|
||||
"com.affine.cloudTempDisable.title": "AFFiNE Cloud is upgrading now.",
|
||||
"com.affine.pageMode": "Page Mode",
|
||||
"com.affine.edgelessMode": "Edgeless Mode",
|
||||
"com.affine.onboarding.title1": "Hyper merged whiteboard and docs",
|
||||
"com.affine.onboarding.title2": "Intuitive & robust block-based editing",
|
||||
"com.affine.onboarding.videoDescription1": "Easily switch between Page mode for structured document creation and Whiteboard mode for the freeform visual expression of creative ideas.",
|
||||
"com.affine.onboarding.videoDescription2": "Create structured documents with ease, using a modular interface to drag and drop blocks of text, images, and other content.",
|
||||
"com.affine.banner.content": "Enjoying the demo? <1>Download the AFFiNE Client</1> for the full experience.",
|
||||
"com.affine.helpIsland.gettingStarted": "Getting started",
|
||||
"com.affine.updater.downloading": "Downloading",
|
||||
"com.affine.updater.update-available": "Update available",
|
||||
"com.affine.updater.open-download-page": "Open download page",
|
||||
"com.affine.updater.restart-to-update": "Restart to install update",
|
||||
"com.affine.draw_with_a_blank_whiteboard": "Draw with a blank whiteboard",
|
||||
"com.affine.new_edgeless": "New Edgeless",
|
||||
"com.affine.write_with_a_blank_page": "Write with a blank page",
|
||||
"com.affine.workspace.cannot-delete": "You cannot delete the last workspace",
|
||||
"com.affine.today": "Today",
|
||||
"com.affine.earlier": "Earlier",
|
||||
"com.affine.yesterday": "Yesterday",
|
||||
"com.affine.lastMonth": "Last month",
|
||||
"com.affine.lastWeek": "Last week",
|
||||
"com.affine.lastYear": "Last year",
|
||||
"com.affine.import_file": "Support Markdown/Notion",
|
||||
"com.affine.new_import": "Import",
|
||||
"com.affine.currentYear": "Current Year",
|
||||
"com.affine.last7Days": "Last 7 Days",
|
||||
"com.affine.last30Days": "Last 30 Days",
|
||||
"com.affine.emptyDesc": "There's no page here yet",
|
||||
"com.affine.filter.is-favourited": "Is Favourited",
|
||||
"com.affine.filter.after": "after",
|
||||
"It takes up more space on your device": "It takes up more space on your device.",
|
||||
"Saved then enable AFFiNE Cloud": "All changes are saved locally, click to enable AFFiNE Cloud.",
|
||||
"Help and Feedback": "Help and Feedback",
|
||||
"Export AFFiNE backup file": "Export AFFiNE backup file",
|
||||
"com.affine.filter.before": "before",
|
||||
"com.affine.filter.is": "is",
|
||||
"com.affine.filter.true": "true",
|
||||
"com.affine.filter.false": "false",
|
||||
"com.affine.filter.save-view": "Save View",
|
||||
"Not now": "Not now",
|
||||
"Export Description": "You can export the entire Workspace data for backup, and the exported data can be re-imported.",
|
||||
"Remove from workspace": "Remove from workspace",
|
||||
@ -19,11 +57,6 @@
|
||||
"Import": "Import",
|
||||
"Trash": "Trash",
|
||||
"New Page": "New Page",
|
||||
"com.affine.write_with_a_blank_page": "Write with a blank page",
|
||||
"com.affine.new_edgeless": "New Edgeless",
|
||||
"com.affine.draw_with_a_blank_whiteboard": "Draw with a blank whiteboard",
|
||||
"com.affine.new_import": "Import",
|
||||
"com.affine.import_file": "Support Markdown/Notion",
|
||||
"New Keyword Page": "New '{{query}}' page",
|
||||
"Find 0 result": "Find 0 result",
|
||||
"Find results": "Find {{number}} results",
|
||||
@ -34,11 +67,8 @@
|
||||
"Convert to ": "Convert to ",
|
||||
"Page": "Page",
|
||||
"Export": "Export",
|
||||
"Export to PDF": "Export to PDF",
|
||||
"Export to HTML": "Export to HTML",
|
||||
"Export to PNG": "Export to PNG",
|
||||
"Export to Markdown": "Export to Markdown",
|
||||
"Created with": "Created with",
|
||||
"Delete": "Delete",
|
||||
"Title": "Title",
|
||||
"Untitled": "Untitled",
|
||||
@ -82,14 +112,14 @@
|
||||
"Favorited": "Favourited",
|
||||
"Remove from favorites": "Remove from favourites",
|
||||
"Removed from Favorites": "Removed from Favourites",
|
||||
"Pen": "Pen",
|
||||
"Connector": "Connector",
|
||||
"Sticky": "Sticky",
|
||||
"Text": "Text",
|
||||
"New Workspace": "New Workspace",
|
||||
"Create": "Create",
|
||||
"Select": "Select",
|
||||
"Text": "Text (coming soon)",
|
||||
"Shape": "Shape",
|
||||
"Sticky": "Sticky (coming soon)",
|
||||
"Pen": "Pen (coming soon)",
|
||||
"Connector": "Connector (coming soon)",
|
||||
"Upload": "Upload",
|
||||
"Restore it": "Restore it",
|
||||
"TrashButtonGroupTitle": "Permanently delete",
|
||||
@ -97,6 +127,7 @@
|
||||
"Delete permanently": "Delete permanently",
|
||||
"Link": "Hyperlink (with selected text)",
|
||||
"Workspace description": "A workspace is your virtual space to capture, create and plan as just one person or together as a team.",
|
||||
"emptyAllPages": "Click on the <1>$t(New Page)</1> button to create your first page.",
|
||||
"Quick search placeholder": "Quick Search...",
|
||||
"Quick search placeholder2": "Search in {{workspace}}",
|
||||
"Settings": "Settings",
|
||||
@ -116,8 +147,6 @@
|
||||
"mobile device": "Looks like you are browsing on a mobile device.",
|
||||
"mobile device description": "We are still working on mobile support and recommend you use a desktop device.",
|
||||
"Got it": "Got it",
|
||||
"emptyAllPages": "Click on the <1>$t(New Page)</1> button to create your first page.",
|
||||
"emptyAllPagesClient": "Click on the <1>$t(New Page)</1> button Or press <3>{{shortcut}}</3> to create your first page.",
|
||||
"emptyTrash": "Click Add to Trash and the page will appear here.",
|
||||
"still designed": "(This page is still being designed.)",
|
||||
"My Workspaces": "My Workspaces",
|
||||
@ -125,7 +154,6 @@
|
||||
"login success": "Login success",
|
||||
"Create Or Import": "Create or Import",
|
||||
"Delete Workspace": "Delete Workspace",
|
||||
"Delete Workspace Description2": "Deleting <1>{{workspace}}</1> will delete both local and cloud data, this operation cannot be undone, please proceed with caution.",
|
||||
"Delete Workspace placeholder": "Please type “Delete” to confirm",
|
||||
"Leave Workspace": "Leave Workspace",
|
||||
"Leave": "Leave",
|
||||
@ -144,7 +172,6 @@
|
||||
"Publishing": "Publishing to web requires AFFiNE Cloud service.",
|
||||
"Share with link": "Share with link",
|
||||
"Copy Link": "Copy Link",
|
||||
"Copy": "Copy",
|
||||
"Publishing Description": "After publishing to the web, everyone can view the content of this workspace through the link.",
|
||||
"Stop publishing": "Stop publishing",
|
||||
"Publish to web": "Publish to web",
|
||||
@ -158,6 +185,7 @@
|
||||
"Sync Description": "{{workspaceName}} is a Local Workspace. All data is stored on the current device. You can enable AFFiNE Cloud for this workspace to keep data in sync with the cloud.",
|
||||
"Sync Description2": "<1>{{workspaceName}}</1> is a Cloud Workspace. All data will be synchronised and saved to AFFiNE Cloud.",
|
||||
"Delete Workspace Description": "Deleting <1>{{workspace}}</1> cannot be undone, please proceed with caution. All contents will be lost.",
|
||||
"Delete Workspace Description2": "Deleting <1>{{workspace}}</1> will delete both local and cloud data, this operation cannot be undone, please proceed with caution.",
|
||||
"Sign in": "Sign in AFFiNE Cloud",
|
||||
"core": "core",
|
||||
"all": "all",
|
||||
@ -236,6 +264,7 @@
|
||||
"Loading Page": "Loading Page",
|
||||
"Favorite pages for easy access": "Favourite pages for easy access",
|
||||
"emptySharedPages": "Shared pages will appear here.",
|
||||
"Storage Folder Hint": "Check or change storage location. Click path to edit location.",
|
||||
"You cannot delete the last workspace": "You cannot delete the last workspace",
|
||||
"Synced with AFFiNE Cloud": "Synced with AFFiNE Cloud",
|
||||
"Recent": "Recent",
|
||||
@ -246,7 +275,6 @@
|
||||
"Sync across devices with AFFiNE Cloud": "Sync across devices with AFFiNE Cloud",
|
||||
"Update workspace name success": "Update workspace name success",
|
||||
"Create your own workspace": "Create your own workspace",
|
||||
"Storage Folder Hint": "Check or change storage location. Click path to edit location.",
|
||||
"Save": "Save",
|
||||
"Customize": "Customize",
|
||||
"Move folder success": "Move folder success",
|
||||
@ -272,105 +300,91 @@
|
||||
"Delete Workspace Label Hint": "After deleting this Workspace, you will permanently delete all of its content for everyone. No one will be able to recover the content of this Workspace.",
|
||||
"DB_FILE_PATH_INVALID": "Database file path invalid",
|
||||
"Default db location hint": "By default will be saved to {{location}}",
|
||||
"com.affine.pageMode": "Page Mode",
|
||||
"com.affine.edgelessMode": "Edgeless Mode",
|
||||
"com.affine.onboarding.title1": "Hyper merged whiteboard and docs",
|
||||
"com.affine.onboarding.title2": "Intuitive & robust block-based editing",
|
||||
"com.affine.onboarding.videoDescription1": "Easily switch between Page mode for structured document creation and Whiteboard mode for the freeform visual expression of creative ideas.",
|
||||
"com.affine.onboarding.videoDescription2": "Create structured documents with ease, using a modular interface to drag and drop blocks of text, images, and other content.",
|
||||
"com.affine.banner.content": "Enjoying the demo? <1>Download the AFFiNE Client</1> for the full experience.",
|
||||
"com.affine.cloudTempDisable.title": "AFFiNE Cloud is upgrading now.",
|
||||
"com.affine.cloudTempDisable.description": "We are upgrading the AFFiNE Cloud service and it is temporarily unavailable on the client side. If you wish to stay updated on the progress and be notified on availability, you can fill out the <1>AFFiNE Cloud Signup</1>.",
|
||||
"com.affine.helpIsland.gettingStarted": "Getting started",
|
||||
"com.affine.updater.downloading": "Downloading",
|
||||
"com.affine.updater.update-available": "Update available",
|
||||
"com.affine.updater.open-download-page": "Open download page",
|
||||
"com.affine.updater.restart-to-update": "Restart to install update",
|
||||
"com.affine.today": "Today",
|
||||
"com.affine.yesterday": "Yesterday",
|
||||
"com.affine.last7Days": "Last 7 Days",
|
||||
"com.affine.last30Days": "Last 30 Days",
|
||||
"com.affine.currentYear": "Current Year",
|
||||
"com.affine.earlier": "Earlier",
|
||||
"com.affine.emptyDesc": "There's no page here yet",
|
||||
"FILE_ALREADY_EXISTS": "File already exists",
|
||||
"others": "Others",
|
||||
"Update Available": "Update available",
|
||||
"dark": "Dark",
|
||||
"system": "System",
|
||||
"light": "Light",
|
||||
"Export to PDF": "Export to PDF",
|
||||
"Export to PNG": "Export to PNG",
|
||||
"Created with": "Created with",
|
||||
"emptyAllPagesClient": "Click on the <1>$t(New Page)</1> button Or press <3>{{shortcut}}</3> to create your first page.",
|
||||
"Need more customization options? You can suggest them to us in the community.": "Need more customization options? You can suggest them to us in the community.",
|
||||
"Check Keyboard Shortcuts quickly": "Check Keyboard Shortcuts quickly",
|
||||
"Quick Search": "Quick Search",
|
||||
"Append to Daily Note": "Append to Daily Note",
|
||||
"Expand/Collapse Sidebar": "Expand/Collapse Sidebar",
|
||||
"Go Back": "Go Back",
|
||||
"Go Forward": "Go Forward",
|
||||
"Select All": "Select All",
|
||||
"Zoom in": "Zoom in",
|
||||
"Zoom out": "Zoom out",
|
||||
"Zoom to 100%": "Zoom to 100%",
|
||||
"Zoom to fit": "Zoom to fit",
|
||||
"Image": "Image",
|
||||
"Straight Connector": "Straight Connector",
|
||||
"By default, the week starts on Sunday.": "By default, the week starts on Sunday.",
|
||||
"View the AFFiNE Changelog.": "View the AFFiNE Changelog.",
|
||||
"Elbowed Connector": "Elbowed Connector",
|
||||
"Curve Connector": "Curve Connector",
|
||||
"Hand": "Hand",
|
||||
"Note": "Note",
|
||||
"Group": "Group",
|
||||
"Ungroup": "Ungroup",
|
||||
"Group as Database": "Group as Database",
|
||||
"Move Up": "Move Up",
|
||||
"Move Down": "Move Down",
|
||||
"Appearance Settings": "Appearance Settings",
|
||||
"Customize your AFFiNE Appearance": "Customize your AFFiNE Appearance",
|
||||
"About AFFiNE": "About AFFiNE",
|
||||
"Zoom in": "Zoom in",
|
||||
"Maximum display of content within a page.": "Maximum display of content within a page.",
|
||||
"Customize the appearance of the client.": "Customize the appearance of the client.",
|
||||
"None yet": "None yet",
|
||||
"Quick Search": "Quick Search",
|
||||
"Theme": "Theme",
|
||||
"Date": "Date",
|
||||
"Image": "Image",
|
||||
"Zoom to fit": "Zoom to fit",
|
||||
"Straight Connector": "Straight Connector",
|
||||
"Client Border Style": "Client Border Style",
|
||||
"Appearance Settings": "Appearance Settings",
|
||||
"Zoom out": "Zoom out",
|
||||
"Group as Database": "Group as Database",
|
||||
"Customize appearance of Windows Client.": "Customize appearance of Windows Client.",
|
||||
"Check Keyboard Shortcuts quickly": "Check Keyboard Shortcuts quickly",
|
||||
"Append to Daily Note": "Append to Daily Note",
|
||||
"Start Week On Monday": "Start Week On Monday",
|
||||
"Move Down": "Move Down",
|
||||
"Customize your date style.": "Customize your date style.",
|
||||
"Ungroup": "Ungroup",
|
||||
"Version": "Version",
|
||||
"frameless": "Frameless",
|
||||
"Check for updates automatically": "Check for updates automatically",
|
||||
"Note": "Note",
|
||||
"Zoom to 100%": "Zoom to 100%",
|
||||
"Hand": "Hand",
|
||||
"Contact with us": "Contact with us",
|
||||
"Group": "Group",
|
||||
"Communities": "Communities",
|
||||
"Date Format": "Date Format",
|
||||
"Select All": "Select All",
|
||||
"Terms of Use": "Terms of Use",
|
||||
"Go Back": "Go Back",
|
||||
"Download updates automatically": "Download updates automatically",
|
||||
"Privacy": "Privacy",
|
||||
"Go Forward": "Go Forward",
|
||||
"Expand/Collapse Sidebar": "Expand/Collapse Sidebar",
|
||||
"Customize your AFFiNE Appearance": "Customize your AFFiNE Appearance",
|
||||
"Select the language for the interface.": "Select the language for the interface.",
|
||||
"NativeTitleBar": "Native Titlebar",
|
||||
"Sidebar": "Sidebar",
|
||||
"Display Language": "Display Language",
|
||||
"Color Scheme": "Color Scheme",
|
||||
"Choose your color scheme": "Choose your color scheme",
|
||||
"Display Language": "Display Language",
|
||||
"Select the language for the interface.": "Select the language for the interface.",
|
||||
"Client Border Style": "Client Border Style",
|
||||
"Customize the appearance of the client.": "Customize the appearance of the client.",
|
||||
"Full width Layout": "Full width Layout",
|
||||
"Maximum display of content within a page.": "Maximum display of content within a page.",
|
||||
"Window frame style": "Window frame style",
|
||||
"Customize appearance of Windows Client.": "Customize appearance of Windows Client.",
|
||||
"Date Format": "Date Format",
|
||||
"Customize your date style.": "Customize your date style.",
|
||||
"Start Week On Monday": "Start Week On Monday",
|
||||
"By default, the week starts on Sunday.": "By default, the week starts on Sunday.",
|
||||
"Disable the noise background on the sidebar": "Disable the noise background on the sidebar",
|
||||
"None yet": "None yet",
|
||||
"Disable the blur sidebar": "Disable the blur sidebar",
|
||||
"frameless": "Frameless",
|
||||
"NativeTitleBar": "Native Titlebar",
|
||||
"About AFFiNE": "About AFFiNE",
|
||||
"Version": "Version",
|
||||
"Contact with us": "Contact with us",
|
||||
"Communities": "Communities",
|
||||
"Info of legal": "Info of legal",
|
||||
"Check for updates": "Check for updates",
|
||||
"New version is ready": "New version is ready",
|
||||
"Check for updates automatically": "Check for updates automatically",
|
||||
"If enabled, it will automatically check for new versions at regular intervals.": "If enabled, it will automatically check for new versions at regular intervals.",
|
||||
"Download updates automatically": "Download updates automatically",
|
||||
"If enabled, new versions will be automatically downloaded to the current device.": " If enabled, new versions will be automatically downloaded to the current device.",
|
||||
"Discover what's new": "Discover what's new",
|
||||
"View the AFFiNE Changelog.": "View the AFFiNE Changelog.",
|
||||
"Privacy": "Privacy",
|
||||
"Terms of Use": "Terms of Use",
|
||||
"Workspace Settings with name": "{{name}}'s Settings",
|
||||
"Info of legal": "Info of legal",
|
||||
"New version is ready": "New version is ready",
|
||||
"Disable the noise background on the sidebar": "Disable the noise background on the sidebar",
|
||||
"Disable the blur sidebar": "Disable the blur sidebar",
|
||||
"Window frame style": "Window frame style",
|
||||
"Move Up": "Move Up",
|
||||
"Curve Connector": "Curve Connector",
|
||||
"Check for updates": "Check for updates",
|
||||
"Full width Layout": "Full width Layout",
|
||||
"Date": "Date",
|
||||
"If enabled, it will automatically check for new versions at regular intervals.": "If enabled, it will automatically check for new versions at regular intervals.",
|
||||
"If enabled, new versions will be automatically downloaded to the current device.": " If enabled, new versions will be automatically downloaded to the current device.",
|
||||
"Copy": "Copy",
|
||||
"Enable cloud hint": "The following functions rely on AFFiNE Cloud. All data is stored on the current device. You can enable AFFiNE Cloud for this workspace to keep data in sync with the cloud.",
|
||||
"Storage and Export": "Storage and Export",
|
||||
"You can customize your workspace here.": "You can customize your workspace here.",
|
||||
"Info": "Info",
|
||||
"Storage and Export": "Storage and Export",
|
||||
"Workspace Profile": "Workspace Profile",
|
||||
"Only an owner can edit the the Workspace avatar and name.Changes will be shown for everyone.": "Only an owner can edit the the Workspace avatar and name.Changes will be shown for everyone.",
|
||||
"Storage": "Storage",
|
||||
"Workspace saved locally": "{{name}} is saved locally",
|
||||
"Enable cloud hint": "The following functions rely on AFFiNE Cloud. All data is stored on the current device. You can enable AFFiNE Cloud for this workspace to keep data in sync with the cloud.",
|
||||
"Unpublished hint": "Once published to the web, visitors can view the contents through the provided link.",
|
||||
"Workspace Profile": "Workspace Profile",
|
||||
"Storage": "Storage",
|
||||
"Published hint": "Visitors can view the contents through the provided link.",
|
||||
"Members hint": "Manage members here, invite new member by email."
|
||||
"Unpublished hint": "Once published to the web, visitors can view the contents through the provided link.",
|
||||
"Members hint": "Manage members here, invite new member by email.",
|
||||
"Workspace Settings with name": "{{name}}'s Settings",
|
||||
"com.affine.settings.workspace": "Workspace",
|
||||
"com.affine.settings.appearance": "Appearance"
|
||||
}
|
||||
|
@ -1,6 +1,10 @@
|
||||
{
|
||||
"// THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.": "",
|
||||
"Workspace Profile": "Profil de l'Espace de travail",
|
||||
"all": "tout",
|
||||
"Workspace Settings with name": "Paramètres de {{name}}",
|
||||
"Workspace saved locally": "{{name}} est sauvegardé localement",
|
||||
"You can customize your workspace here.": "Vous pouvez customiser votre espace ici.",
|
||||
"Download data Description2": "Cela prend peu d’espace sur votre appareil.",
|
||||
"Edit": "Éditer",
|
||||
"Workspace Owner": "Propriétaire de l’espace de travail ",
|
||||
@ -10,21 +14,21 @@
|
||||
"Failed to publish workspace": "La publication de l'espace de travail a échoué",
|
||||
"Joined Workspace": "L'espace de travail a été rejoint",
|
||||
"Local Workspace": "Espace de travail local",
|
||||
"Published Description": "L'espace de travail actuel a été publié sur Internet. Tout le monde peut voir son contenu à partir du lien.",
|
||||
"Local Workspace Description": "Toutes les données sont stockées sur cet appareil. Vous pouvez activer AFFiNE Cloud pour garder les données de cet espace de travail synchronisé dans le cloud.",
|
||||
"Retain local cached data": "Conserver les données du cache local",
|
||||
"Cloud Workspace": "Espace de travail distant",
|
||||
"Force Sign Out": "Forcer la déconnexion",
|
||||
"Published Description": "L'espace de travail actuel a été publié sur Internet. Toute personne disposant du lien peut consulter le contenu.",
|
||||
"Available Offline": "Disponible hors ligne",
|
||||
"Delete Member?": "Supprimer le membre ?",
|
||||
"All data has been stored in the cloud": "Toutes les données ont été sauvegardées dans le cloud.",
|
||||
"Published to Web": "Publié sur Internet",
|
||||
"Set a Workspace name": "Définir un nom pour l'espace de travail",
|
||||
"Sign out description": "Se déconnecter provoquera la perte du contenu non synchronisé.",
|
||||
"Wait for Sync": "Attendez la synchronisation",
|
||||
"Help and Feedback": "Aide et feedbacks",
|
||||
"Retain cached cloud data": "Conserver les données mises en cache dans le cloud",
|
||||
"Check Our Docs": "Consultez notre documentation",
|
||||
"Published to Web": "Publié sur Internet",
|
||||
"Wait for Sync": "Attendez la synchronisation",
|
||||
"Add to Favorites": "Ajouter aux Favoris",
|
||||
"Delete permanently?": "Supprimer définitivement ?",
|
||||
"404 - Page Not Found": "Erreur 404 - Page non trouvée",
|
||||
@ -33,7 +37,6 @@
|
||||
"All pages": "Toutes les pages",
|
||||
"Bold": "Gras",
|
||||
"Cancel": "Annuler ",
|
||||
"Convert to ": "Convertir en",
|
||||
"Created": "Objet créé ",
|
||||
"Delete page?": "Supprimer la page ?",
|
||||
"Edgeless": "Mode sans bords",
|
||||
@ -41,12 +44,14 @@
|
||||
"Export": "Exporter ",
|
||||
"Export to HTML": "Exporter en HTML",
|
||||
"Export to Markdown": "Exporter en Markdown",
|
||||
"Favorite": "Favoris ",
|
||||
"Convert to ": "Convertir en ",
|
||||
"Favorited": "Ajouté aux favoris",
|
||||
"Favorite": "Favori",
|
||||
"Updated": "Mis à jour",
|
||||
"Divider": "Séparateur",
|
||||
"How is AFFiNE Alpha different?": "Quelles sont les différences avec AFFiNE Alpha",
|
||||
"Contact Us": "Contactez-nous ",
|
||||
"How is AFFiNE Alpha different?": "Quelles sont les différences avec AFFiNE Alpha ?",
|
||||
"Moved to Trash": "Déplacé dans la corbeille ",
|
||||
"Create": "Créer ",
|
||||
"Delete permanently": "Supprimer définitivement",
|
||||
"Favorites": "Favoris ",
|
||||
@ -59,7 +64,6 @@
|
||||
"Keyboard Shortcuts": "Raccourcis clavier",
|
||||
"Link": "Lien hypertexte (avec le texte sélectionné)",
|
||||
"Markdown Syntax": "Syntaxe Markdown",
|
||||
"Moved to Trash": "Déplacé à la corbeille ",
|
||||
"New Keyword Page": "Nouvelle page '{{query}}'",
|
||||
"New Page": "Nouvelle page",
|
||||
"New Workspace": "Nouvel espace de travail ",
|
||||
@ -112,13 +116,13 @@
|
||||
"NotLoggedIn": "Actuellement non connecté",
|
||||
"Publish": "Publier",
|
||||
"Publish to web": "Publier sur internet",
|
||||
"Quick search placeholder": "Recherche Rapide ...",
|
||||
"Settings": "Paramètres",
|
||||
"Stay logged out": "Rester déconnecté",
|
||||
"Tips": "Astuces :",
|
||||
"Users": "Utilisateur",
|
||||
"Quick search placeholder": "Recherche Rapide...",
|
||||
"Access level": "Permissions",
|
||||
"Delete Workspace Description2": "La suppression de <1>{{workspace}}</1> aura pour effet de supprimer les données locales et les données dans le cloud. Attention, cette opération est irréversible.",
|
||||
"Publishing Description": "Après avoir publié sur le net, toute personne disposant du lien pourra consulter le contenu.",
|
||||
"Enable AFFiNE Cloud": "Activer AFFiNE Cloud",
|
||||
"Enable AFFiNE Cloud Description": "Si cette option est activée, les données de cet espace de travail seront sauvegardées et synchronisées via AFFiNE Cloud.",
|
||||
"Export Workspace": "L'exportation de l'espace de travail <1>{{workspace}}</1> sera bientôt disponible.",
|
||||
@ -132,7 +136,7 @@
|
||||
"Non-Gmail": "Seul Gmail est supporté",
|
||||
"Pending": "En attente",
|
||||
"Publishing": "Publier sur le web nécessite le service AFFiNE Cloud.",
|
||||
"Publishing Description": "Après avoir publié sur le net, tout le monde pourra voir le contenu de cet espace de travail depuis le lien.",
|
||||
"emptyAllPages": "Cet espace de travail est vide. Créez une nouvelle page pour commencer l'édition.",
|
||||
"Quick search placeholder2": "Rechercher dans {{workspace}}",
|
||||
"Set up an AFFiNE account to sync data": "Configurer un compte AFFiNE pour synchroniser les données",
|
||||
"Sign in": "Se connecter à AFFiNE Cloud",
|
||||
@ -147,12 +151,12 @@
|
||||
"Workspace Settings": "Paramètres de l'espace de travail",
|
||||
"Workspace Type": "Type de l'espace de travail",
|
||||
"Workspace description": "Un espace de travail est votre espace virtuel pour capturer, créer et planifier aussi bien seul qu'en équipe.",
|
||||
"emptyAllPages": "Cet espace de travail est vide. Créer une nouvelle page pour commencer l'édition.",
|
||||
"emptyTrash": "Cliquez sur Ajouter à la corbeille et la page apparaitra ici.",
|
||||
"login success": "Connexion réussie",
|
||||
"mobile device description": "Nous travaillons toujours sur le support des appareils mobiles. Ainsi, nous vous recommandons d'utiliser un ordinateur.",
|
||||
"My Workspaces": "Mes espaces de travail",
|
||||
"Sign out": "Se déconnecter",
|
||||
"Delete Workspace Description2": "La suppression de <1>{{workspace}}</1> aura pour effet de supprimer les données locales et les données dans le cloud. Attention, cette opération est irréversible.",
|
||||
"still designed": "(Cette page est toujours en cours de conception.)",
|
||||
"Back Home": "Retour à l'accueil",
|
||||
"Confirm": "Confirmer",
|
||||
@ -170,7 +174,6 @@
|
||||
"All changes are saved locally": "Les changements sont sauvegardés localement",
|
||||
"Continue with Google": "Se connecter avec Google ",
|
||||
"Delete": "Supprimer objet ",
|
||||
"Delete Workspace Description": "Attention, la suppression de <1>{{workspace}}</1> est irréversible. Le contenu sera perdu.",
|
||||
"Share with link": "Partager un lien",
|
||||
"Sync Description": "{{workspaceName}} est un espace de travail local. Toutes ses données sont stockées sur le périphérique actuel. Vous pouvez activer AFFiNE Cloud pour garder les données de cet espace de travail synchronisé dans le cloud.",
|
||||
"TrashButtonGroupDescription": "Une fois supprimé, vous ne pouvez pas retourner en arrière. Confirmez-vous la suppression ? ",
|
||||
@ -178,109 +181,201 @@
|
||||
"recommendBrowser": "Pour une expérience optimale, nous vous recommandons le navigateur <1>Chrome</1>.",
|
||||
"upgradeBrowser": "Veuillez installer la dernière version de Chrome pour bénéficier d'une expérience optimale.",
|
||||
"core": "l'essentiel",
|
||||
"Delete Workspace Description": "Attention, la suppression de <1>{{workspace}}</1> est irréversible. Le contenu sera perdu.",
|
||||
"Export AFFiNE backup file": "Exporter un fichier de sauvegarde AFFiNE",
|
||||
"Download data": "Télécharger les données {{CoreOrAll}}",
|
||||
"Download all data": "Télécharger toutes les données",
|
||||
"It takes up more space on your device": "Cela prend davantage d’espace sur votre appareil.",
|
||||
"It takes up more space on your device": "Prend davantage d’espace sur l'appareil.",
|
||||
"is a Cloud Workspace": "est un espace de travail distant",
|
||||
"will delete member": "supprimera le membre",
|
||||
"is a Local Workspace": "est un espace de travail local",
|
||||
"Cloud Workspace Description": "Toutes les données vont être synchronisées et sauvegardées sur le compte AFFiNE <1>{{email}}</1>",
|
||||
"Export Description": "Vous pouvez exporter l'intégralité des données de l'espace de travail à titre de sauvegarde ; les données ainsi exportées peuvent être réimportées.",
|
||||
"Download data Description1": "Cela prend davantage d’espace sur votre appareil.",
|
||||
"It takes up little space on your device": "Cela prend peu d’espace sur votre appareil.",
|
||||
"Members": "Membres",
|
||||
"It takes up little space on your device": "Prend peu d’espace sur l'appareil.",
|
||||
"Move to Trash": "Déplacer à la corbeille",
|
||||
"Saved then enable AFFiNE Cloud": "Toutes les modifications sont sauvegardées localement, cliquez ici pour activer la sauvegarde AFFiNE Cloud",
|
||||
"Placeholder of delete workspace": "Entrez le nom de l'espace de travail pour de confirmer",
|
||||
"Back to Quick Search": "Retourner à la Recherche Rapide",
|
||||
"Navigation Path": "Chemin d'Accès",
|
||||
"Placeholder of delete workspace": "Entrez le nom de l'espace de travail pour confirmer",
|
||||
"View Navigation Path": "Voir le Chemin d'Accès",
|
||||
"Pivots": "Arborescence",
|
||||
"Remove from Pivots": "Retirer de l'Arborescence",
|
||||
"Add a subpage inside": "Ajouter une sous-page à l'intérieur ",
|
||||
"Move page to": "Déplacer la page vers...",
|
||||
"Navigation Path": "Chemin d'accès",
|
||||
"Move to": "Déplacer vers",
|
||||
"Rename": "Renommer",
|
||||
"Move page to": "Déplacer la page vers ...",
|
||||
"Disable": "Désactiver",
|
||||
"Disable Public Link ?": "Désactiver le lien public ?",
|
||||
"Disable Public Sharing": "Désactiver le Partage Public ",
|
||||
"Disable Public Link Description": "Désactiver ce lien public empêchera à quiconque avec le lien d’accéder à cette page.",
|
||||
"Export Shared Pages Description": "Télécharger une copie de la version actuelle pour le partager avec les autres.",
|
||||
"Shared Pages": "Pages partagées",
|
||||
"Create Shared Link Description": "Créez un lien que vous pouvez facilement partager avec n'importe qui.",
|
||||
"Open Workspace Settings": "Ouvrir les paramètres de l'espace de travail",
|
||||
"Share Menu Public Workspace Description1": "Invitez d'autres personnes à rejoindre cet espace de travail ou publiez-le sur internet.",
|
||||
"Share Menu Public Workspace Description2": "L'espace de travail actuel a été publié sur le web en tant qu'espace de travail public.",
|
||||
"Shared Pages Description": "Le service de partage de page public nécessite AFFiNE Cloud.",
|
||||
"Organize pages to build knowledge": "Organisez vos pages pour construire l'entièreté de votre savoir",
|
||||
"Router is Loading": "Le Router est en cours de chargement",
|
||||
"Export Shared Pages Description": "Télécharger une copie de la version actuelle pour la partager avec les autres.",
|
||||
"Disable Public Link": "Désactiver le lien public",
|
||||
"Discover what's new!": "Découvrez les nouveautés !",
|
||||
"Finding Current Workspace": "L'Espace de Travail actuel est en cours de recherche",
|
||||
"Organize pages to build knowledge": "Organisez vos pages pour construire l'entièreté de votre savoir",
|
||||
"Favorite pages for easy access": "Pages favorites pour un accès rapide",
|
||||
"Finding Workspace ID": "L'ID de l'Espace de Travail est en cours de recherche",
|
||||
"Loading All Workspaces": "Chargement de tous les Espaces de Travails",
|
||||
"Loading Page": "La page est en train de charger",
|
||||
"Page is Loading": "La page charge",
|
||||
"Workspace Not Found": "L'Espace de Travail n'a pas été trouvé",
|
||||
"Workspace Not Found": "L'epace de travail n'a pas été trouvé",
|
||||
"emptySharedPages": "Les pages partagées apparaîtront ici",
|
||||
"Finding Current Workspace": "L'espace de travail actuel est en cours de recherche",
|
||||
"Page is Loading": "Chargement de la page en cours ",
|
||||
"Router is Loading": "Le router est en cours de chargement",
|
||||
"RFP": "Les pages peuvent librement être rajoutées à/retirées de l'Arborescence, tout en restant accessible depuis \"Toutes les pages\".",
|
||||
"Shared Pages In Public Workspace Description": "L'intégralité de cet espace de travail a été publiée sur internet et peut être modifiée via les <1>Paramètre de l'espace de travail</1>.",
|
||||
"You cannot delete the last workspace": "Vous ne pouvez pas supprimer le dernier Espace de travail",
|
||||
"Recent": "Récent",
|
||||
"Synced with AFFiNE Cloud": "Synchronisé avec AFFiNE Cloud",
|
||||
"Successfully deleted": "Supprimé avec succès",
|
||||
"Add Workspace": "Ajouter à l'espace de travail",
|
||||
"Add Workspace Hint": "Sélectionnez ce que vous avez déjà",
|
||||
"Shared Pages In Public Workspace Description": "L'intégralité de cet espace de travail a été publiée sur internet et peut être modifiée via les <1>Paramètres de l'espace de travail</1>.",
|
||||
"Synced with AFFiNE Cloud": "Synchronisé avec AFFiNE Cloud",
|
||||
"Recent": "Récent",
|
||||
"Storage Folder": "Dossier du stockage ",
|
||||
"Sync across devices with AFFiNE Cloud": "Synchroniser parmi plusieurs appareils avec AFFiNE Cloud",
|
||||
"Added Successfully": "Ajouté avec succès",
|
||||
"Change avatar hint": "Changer l'avatar pour tous les membres",
|
||||
"Change workspace name hint": "Changer le nom pour tous les membres",
|
||||
"Continue": "Continuer",
|
||||
"Create your own workspace": "Créer votre propre espace de travail",
|
||||
"Created Successfully": "Créé avec succès",
|
||||
"Customize": "Customiser",
|
||||
"DB_FILE_ALREADY_LOADED": "Les fichiers de la base de donnée ont déjà été chargés",
|
||||
"DB_FILE_INVALID": "Fichier de la base de donnée invalide",
|
||||
"DB_FILE_PATH_INVALID": "Le chemin d'accès du fichier de la base de donnée est invalide",
|
||||
"Default Location": "Emplacement par défaut",
|
||||
"Default db location hint": "Par défaut, elle sera enregistrée sous {location}}",
|
||||
"Delete Workspace Label Hint": "Après la suppression de cet espace de travail, vous supprimerez de manière permanente tout le contenu de tous les utilisateurs. Personne ne pourra restaurer le contenu de cet espace de travail",
|
||||
"Export success": "Exporté avec succès",
|
||||
"Move folder": "Changer le dossier de place",
|
||||
"Move folder": "Déplacer le dossier",
|
||||
"Move folder hint": "Sélectionnez le nouveau chemin d'accès pour le stockage ",
|
||||
"Move folder success": "Le déplacement du fichier a été réalisé avec succès",
|
||||
"Name Your Workspace": "Nommer l'espace de travail",
|
||||
"Open folder": "Ouvrir le dossier",
|
||||
"Open folder hint": "Vérifiez l'emplacement du dossier de stockage.",
|
||||
"Restart Install Client Update": "Redémarrez pour installer la mise à jour",
|
||||
"Save": "Enregistrer",
|
||||
"Set database location": "Définir l'emplacement de la base de données",
|
||||
"Storage Folder": "Dossier du stockage ",
|
||||
"Storage Folder Hint": "Vérifier ou changer l'emplacement du lieu de stockage",
|
||||
"Sync across devices with AFFiNE Cloud": "Synchroniser parmi plusieurs appareils avec AFFiNE Cloud",
|
||||
"UNKNOWN_ERROR": "Erreur inconnue",
|
||||
"Update workspace name success": "La mise à jour du nom de l'espace de travail a été faite avec succès",
|
||||
"Use on current device only": "Utiliser seulement l'appareil actuel",
|
||||
"Update workspace name success": "L'espace de travail à été renommé avec succès",
|
||||
"Workspace database storage description": "Sélectionnez l'endroit où vous souhaitez créer votre espace de travail. Les données de l'espace de travail sont enregistrées localement par défaut.",
|
||||
"dark": "Sombre",
|
||||
"light": "Clair",
|
||||
"system": "Système",
|
||||
"Workspace database storage description": "Sélectionnez l'endroit où vous souhaitez créer votre espace de travail. Les données de l'espace de travail sont enregistrées localement par défaut.",
|
||||
"FILE_ALREADY_EXISTS": "Le fichier existe déjà",
|
||||
"Update Available": "Mis à jour disponible",
|
||||
"com.affine.edgelessMode": "Mode sans bords",
|
||||
"Add Workspace Hint": "Sélectionnez le fichier ede la base de donné déjà existant",
|
||||
"Change avatar hint": "Le nouvel avatar s'affichera pour tout le monde.",
|
||||
"Change workspace name hint": "Le nouveau nom s'affichera pour tout le monde.",
|
||||
"Customize": "Parcourir",
|
||||
"UNKNOWN_ERROR": "Erreur inconnue",
|
||||
"Restart Install Client Update": "Redémarrez pour installer la mise à jour",
|
||||
"Save": "Enregistrer",
|
||||
"Storage Folder Hint": "Vérifier ou changer l'emplacement du lieu de stockage",
|
||||
"Use on current device only": "Utiliser seulement sur l'appareil actuel",
|
||||
"Default db location hint": "Par défaut, elle sera enregistrée sous {{location}}",
|
||||
"com.affine.onboarding.videoDescription2": "Créez facilement des documents structurés, à l'aide d'une interface modulaire où l'on peut faire glisser et déposer des blocs de texte, des images et d'autres contenus.",
|
||||
"com.affine.onboarding.title2": "Un mode d'édition intuitif et robuste basé sur des block",
|
||||
"com.affine.onboarding.title1": "Tableau blancs et document fusionnés",
|
||||
"com.affine.onboarding.title1": "Tableau blanc et documents fusionnés",
|
||||
"com.affine.onboarding.title2": "Un mode d'édition intuitif et robuste basé sur des blocs",
|
||||
"com.affine.onboarding.videoDescription1": "Basculez facilement entre le mode Page pour de la création de documents structurés et le mode Tableau blanc pour de l'expression visuelle libre d'idées créatives.",
|
||||
"com.affine.edgelessMode": "Mode sans bords",
|
||||
"com.affine.pageMode": "Mode page",
|
||||
"com.affine.banner.content": "La démo vous plait ? <1> Télécharger le client AFFiNE </1> pour une expérience complète.",
|
||||
"com.affine.cloudTempDisable.title": "AFFiNE Cloud est actuellement en cours de mise à jour.",
|
||||
"com.affine.cloudTempDisable.description": "Nous mettons à jour le service AFFiNE Cloud et il est temporairement indisponible côté client. Si vous souhaitez rester informé des avancements et être informé de la disponibilité du projet, vous pouvez remplir l'<1>inscription au AFFiNE Cloud</1>.",
|
||||
"com.affine.cloudTempDisable.description": "Nous mettons à jour le service AFFiNE Cloud et celui-ci est temporairement indisponible côté client. Si vous souhaitez rester informé des avancements et être informé de la disponibilité du projet, vous pouvez remplir l'<1>inscription au AFFiNE Cloud</1>.",
|
||||
"com.affine.helpIsland.gettingStarted": "Commencer",
|
||||
"com.affine.updater.downloading": "Téléchargement en cours",
|
||||
"com.affine.updater.open-download-page": "Ouvrir la page de Téléchargement",
|
||||
"com.affine.updater.restart-to-update": "Redémarrez pour installer la mise à jour",
|
||||
"com.affine.updater.update-available": "Mis à jour disponible",
|
||||
"others": "Autres"
|
||||
"com.affine.updater.update-available": "Mise à jour disponible",
|
||||
"com.affine.updater.open-download-page": "Ouvrir la page de téléchargement",
|
||||
"com.affine.draw_with_a_blank_whiteboard": "Dessiner sur un tableau blanc",
|
||||
"com.affine.write_with_a_blank_page": "Écrire sur une nouvelle page",
|
||||
"com.affine.new_edgeless": "Nouvelle page sans bords",
|
||||
"com.affine.import_file": "Support Markdown/Notion",
|
||||
"com.affine.lastWeek": "La semaine dernière ",
|
||||
"com.affine.new_import": "Importer",
|
||||
"com.affine.workspace.cannot-delete": "Vous ne pouvez pas supprimer le dernier Espace de travail",
|
||||
"com.affine.earlier": "Récemment",
|
||||
"com.affine.lastMonth": "Le mois dernier",
|
||||
"com.affine.lastYear": "L'année dernière ",
|
||||
"com.affine.today": "Aujourd'hui",
|
||||
"com.affine.yesterday": "Hier",
|
||||
"com.affine.currentYear": "Année en cours",
|
||||
"com.affine.last30Days": "30 derniers jours",
|
||||
"com.affine.last7Days": "7 derniers jours",
|
||||
"com.affine.emptyDesc": "Il n'y a pas encore de page ici",
|
||||
"FILE_ALREADY_EXISTS": "Fichier déjà existant",
|
||||
"Update Available": "Mis à jour disponible",
|
||||
"others": "Autres",
|
||||
"Add Workspace": "Ajouter un nouvel espace de travail",
|
||||
"DB_FILE_ALREADY_LOADED": "Les fichiers de la base de donnée ont déjà été chargés",
|
||||
"Delete Workspace Label Hint": "Après la suppression de cet espace de travail, vous supprimerez de manière permanente tout le contenu de tous les utilisateurs. En aucun cas le contenu de cet espace de travail ne pourra être restauré.",
|
||||
"Created with": "Créé avec",
|
||||
"Export to PDF": "Exporter en PDF",
|
||||
"Export to PNG": "Exporter en PNG",
|
||||
"emptyAllPagesClient": "Cliquez sur le bouton <1>$t(New Page)</1> ou bien, appuyez sur le raccourci clavier <3>{{shortcut}}</3> afin de créer votre première page.",
|
||||
"About AFFiNE": "À propos d'AFFiNE",
|
||||
"Appearance Settings": "Paramètres d'apparence",
|
||||
"Append to Daily Note": "Ajouter à la note journalière",
|
||||
"By default, the week starts on Sunday.": "Par défaut, la semaine commence le dimanche",
|
||||
"Check Keyboard Shortcuts quickly": "Regarder rapidement les raccourcis clavier",
|
||||
"Check for updates": "Vérifier pour les mises à jour",
|
||||
"Check for updates automatically": "Vérifier pour les mises à jour automatiquement",
|
||||
"Choose your color scheme": "Choisissez votre thème de couleur",
|
||||
"Client Border Style": "Style de bordure de l'application",
|
||||
"Color Scheme": "Thème de couleur",
|
||||
"Communities": "Communautés",
|
||||
"Contact with us": "Contactez-nous",
|
||||
"Curve Connector": "Connecteur arrondi",
|
||||
"Customize appearance of Windows Client.": "Customisez l'apparence de l'application Windows",
|
||||
"Customize the appearance of the client.": "Customisez l'apparence de l'application ",
|
||||
"Customize your date style.": "Customisez le style de date",
|
||||
"Customize your AFFiNE Appearance": "Customisez l'apparence de votre AFFiNE",
|
||||
"Date": "Date",
|
||||
"Date Format": "Format de date",
|
||||
"Disable the blur sidebar": "Désactiver le flou de la barre latérale",
|
||||
"Disable the noise background on the sidebar": "Désactiver le bruit d'arrière-plan de la barre latérale",
|
||||
"Discover what's new": "Découvrez les nouveautés",
|
||||
"Display Language": "Langue d'affichage",
|
||||
"Download updates automatically": "Télécharger les mises à jour automatiquement",
|
||||
"Elbowed Connector": "Connecteur coudé",
|
||||
"Expand/Collapse Sidebar": "Agrandir/Rabattre la barre latérale",
|
||||
"Full width Layout": "Disposition en pleine largeur",
|
||||
"Go Back": "Retour en arrière",
|
||||
"Go Forward": "Retour en avant",
|
||||
"Group": "Grouper",
|
||||
"Group as Database": "Grouper comme une base de donnée",
|
||||
"Hand": "Main",
|
||||
"If enabled, it will automatically check for new versions at regular intervals.": "Si activé, l'option cherchera automatiquement pour les nouvelles versions à intervalles réguliers",
|
||||
"If enabled, new versions will be automatically downloaded to the current device.": "Si activé, les nouvelles versions seront automatiquement téléchargées sur l'appareil actuel",
|
||||
"Image": "Image",
|
||||
"Info of legal": "Mentions légales",
|
||||
"Maximum display of content within a page.": "Le maximum de contenu pouvant être affiché a été atteint",
|
||||
"Move Down": "Descendre",
|
||||
"Move Up": "Remonter",
|
||||
"NativeTitleBar": "Barre native",
|
||||
"Need more customization options? You can suggest them to us in the community.": "Besoin de plus de customisation ? Vous pouvez nous les proposer via la communauté.",
|
||||
"New version is ready": "Nouvelle version prête",
|
||||
"None yet": "Aucun pour l'instant",
|
||||
"Note": "Note",
|
||||
"Quick Search": "Recherche rapide",
|
||||
"Select All": "Sélectionner l'ensemble",
|
||||
"Select the language for the interface.": "Sélectionnez la langue pour cette interface",
|
||||
"Sidebar": "Barre latérale",
|
||||
"Start Week On Monday": "Commencer la semaine le lundi",
|
||||
"Straight Connector": "Connecteur droit",
|
||||
"Terms of Use": "Conditions générales d'utilisation",
|
||||
"Theme": "Thème",
|
||||
"Ungroup": "Dégrouper",
|
||||
"Version": "Version",
|
||||
"View the AFFiNE Changelog.": "Voir le journal des modifications d'AFFiNE",
|
||||
"Zoom in": "Agrandir",
|
||||
"Zoom out": "Rétrécir",
|
||||
"Zoom to 100%": "Zoom à 100%",
|
||||
"Zoom to fit": "Zoom à l'échelle",
|
||||
"frameless": "Sans Bords",
|
||||
"Privacy": "Confidentialité",
|
||||
"Window frame style": "Style de fenêtre",
|
||||
"Copy": "Copier",
|
||||
"Enable cloud hint": "Les fonctions suivantes nécessitent AFFiNE Cloud. Toutes les données sont actuellement stockées sur cet appareil. Vous pouvez activer AFFiNE Cloud pour cet espace de travail afin de le garder synchronisé avec le could.",
|
||||
"Info": "Information",
|
||||
"Members hint": "Gérez les membres ici, invitez des nouveaux membres par e-mail.",
|
||||
"Only an owner can edit the the Workspace avatar and name.Changes will be shown for everyone.": "L'icône et le nom peuvent seulement être modifiés par le propriétaire de l'Espace de groupe. Les modifications seront montrées à tous.",
|
||||
"Published hint": "Les visiteurs peuvent prévisualiser le contenu via le lien fourni",
|
||||
"Storage": "Stockage",
|
||||
"Storage and Export": "Stockage et Export",
|
||||
"Unpublished hint": "Une fois publié sur internet, les visiteurs peuvent voir le contenu via le lien fourni."
|
||||
}
|
||||
|
@ -1,14 +1,24 @@
|
||||
// THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
|
||||
// Run `yarn run download-resources` to regenerate.
|
||||
// To overwrite this, please overwrite download.ts script.
|
||||
// If you need to update the code, please edit `i18n/src/scripts/download.ts` inside your project.
|
||||
import de from './de.json';
|
||||
import en from './en.json';
|
||||
import fr from './fr.json';
|
||||
import ja from './ja.json';
|
||||
import ru from './ru.json';
|
||||
import ko from './ko.json';
|
||||
import zh_Hans from './zh-Hans.json';
|
||||
|
||||
export const LOCALES = [
|
||||
{
|
||||
id: 1000040010,
|
||||
name: 'Korean (South Korea)',
|
||||
tag: 'ko',
|
||||
originalName: '한국어(대한민국)',
|
||||
flagEmoji: '🇰🇷',
|
||||
base: false,
|
||||
completeRate: 0.668,
|
||||
res: ko,
|
||||
},
|
||||
{
|
||||
id: 1000040001,
|
||||
name: 'English',
|
||||
@ -36,7 +46,7 @@ export const LOCALES = [
|
||||
originalName: 'français',
|
||||
flagEmoji: '🇫🇷',
|
||||
base: false,
|
||||
completeRate: 1,
|
||||
completeRate: 0.979,
|
||||
res: fr,
|
||||
},
|
||||
{
|
||||
@ -46,19 +56,9 @@ export const LOCALES = [
|
||||
originalName: 'Deutsch',
|
||||
flagEmoji: '🇩🇪',
|
||||
base: false,
|
||||
completeRate: 0.971830985915493,
|
||||
completeRate: 0.764,
|
||||
res: de,
|
||||
},
|
||||
{
|
||||
id: 1000040011,
|
||||
name: 'Russian',
|
||||
tag: 'ru',
|
||||
originalName: 'русский',
|
||||
flagEmoji: '🇷🇺',
|
||||
base: false,
|
||||
completeRate: 0.6830985915492958,
|
||||
res: ru,
|
||||
},
|
||||
{
|
||||
id: 1000040014,
|
||||
name: 'Japanese',
|
||||
@ -66,7 +66,7 @@ export const LOCALES = [
|
||||
originalName: '日本語',
|
||||
flagEmoji: '🇯🇵',
|
||||
base: false,
|
||||
completeRate: 1.0140845070422535,
|
||||
completeRate: 0.744,
|
||||
res: ja,
|
||||
},
|
||||
] as const;
|
||||
|
@ -132,7 +132,6 @@
|
||||
"Open folder hint": "保存フォルダがどこにあるか確認してください",
|
||||
"Add Workspace": "ワークスペースの追加",
|
||||
"Add a subpage inside": "内部にサブページを追加",
|
||||
"Add Workspace Hint": "すでに持っている場所を選択",
|
||||
"Access level": "アクセスレベル",
|
||||
"Continue with Google": "Googleでログイン",
|
||||
"Continue": "続行",
|
||||
@ -166,6 +165,7 @@
|
||||
"Sync": "同期",
|
||||
"Not now": "あとで登録する",
|
||||
"Check Our Docs": "ドキュメントを確認しよう",
|
||||
"Add Workspace Hint": "既存のワークスペースを選択",
|
||||
"Collapse sidebar": "サイドバーを折りたたむ",
|
||||
"Download core data": "主要なデータのダウンロード",
|
||||
"Jump to": "ジャンプ先",
|
||||
@ -277,8 +277,7 @@
|
||||
"Wait for Sync": "同期を待つ",
|
||||
"Strikethrough": "打ち消し線",
|
||||
"Cloud Workspace Description": "すべてのデータは、AFFiNEアカウント<1>{{email}}</1>に同期して保存されます",
|
||||
"Delete Workspace Description": "削除 <1>{{workspace}}</1> は元に戻すことができません。慎重に続行してください。すべての内容が失われます",
|
||||
"Delete Workspace Description2": "<1>{{workspace}}</1>を削除すると、ローカルデータとクラウドデータの両方が削除されます。この操作は元に戻すことができません。注意して続行してください",
|
||||
"Delete Workspace Description2": "<1>{{workspace}}</1> を削除すると、ローカルデータとクラウドデータの両方が削除されます。この操作は元に戻すことができません。注意して続行してください",
|
||||
"Export Workspace": "ワークスペースのエクスポート <1>{{workspace}}</1>は近日公開予定です",
|
||||
"Sync Description": "{{workspaceName}}はローカルワークスペースです。すべてのデータは現在のデバイスに保存されます。このワークスペースに対してAFFiNEクラウドを有効にして、データをクラウドと同期させることができます",
|
||||
"Sync Description2": "<1>{{workspaceName}}</1>はクラウドワークスペースです。すべてのデータは同期され、AFFiNEクラウドに保存されます",
|
||||
@ -286,5 +285,6 @@
|
||||
"Export AFFiNE backup file": "AFFiNEバックアップファイルのエクスポート",
|
||||
"Sign in": "AFFiNEクラウドにサインイン",
|
||||
"Local Workspace Description": "すべてのデータは現在のデバイスに保存されます。このワークスペースのAFFiNEクラウドを有効にすると、クラウドとデータを同期しておくことができます",
|
||||
"Discover what's new!": "新着情報を見る"
|
||||
"Discover what's new!": "新着情報を見る",
|
||||
"Delete Workspace Description": "削除 <1>{{workspace}}</1> は元に戻すことができません。慎重に続行してください。すべての内容が失われます"
|
||||
}
|
||||
|
261
packages/i18n/src/resources/ko.json
Normal file
261
packages/i18n/src/resources/ko.json
Normal file
@ -0,0 +1,261 @@
|
||||
{
|
||||
"// THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.": "",
|
||||
"AFFiNE Community": "AFFiNE 커뮤니티",
|
||||
"Add to Favorites": "즐겨찾기에 추가",
|
||||
"Add to favorites": "즐겨찾기에 추가",
|
||||
"Added to Favorites": "즐겨찾기에 추가됨",
|
||||
"Body text": "본문",
|
||||
"Cancel": "취소",
|
||||
"All pages": "모든 페이지",
|
||||
"Available Offline": "오프라인 작업 가능",
|
||||
"Code block": "코드 블록",
|
||||
"Convert to ": "전환",
|
||||
"Create": "생성",
|
||||
"Access level": "접근 권한",
|
||||
"Redo": "되돌리기",
|
||||
"Select": "선택",
|
||||
"Disable": "비활성화",
|
||||
"Delete permanently?": "영원히 삭제할까요?",
|
||||
"Delete permanently": "영원히 삭제",
|
||||
"Delete page?": "페이지 삭제",
|
||||
"Disable Public Link": "공개 링크 비활성화",
|
||||
"Disable Public Link ?": "공개 링크를 비활성화 할까요?",
|
||||
"Disable Public Sharing": "공유 비활성화",
|
||||
"Divider": "구분자",
|
||||
"Download all data": "모든 데이터 다운로드",
|
||||
"Edit": "수정",
|
||||
"Export": "내보내기",
|
||||
"Export to HTML": "HTML로 내보내기",
|
||||
"Download data": "{{CoreOrAll}} 데이터 다운로드",
|
||||
"Export to Markdown": "Markdown으로 내보내기",
|
||||
"Favorite": "즐겨찾기",
|
||||
"Invite": "초대",
|
||||
"Import": "불러오기",
|
||||
"Leave Workspace": "워크스페이스 떠나기",
|
||||
"Copy Link": "링크 복사",
|
||||
"New Page": "새로운 페이지",
|
||||
"Open in new tab": "새로운 탭에서 열기",
|
||||
"Owner": "소유자",
|
||||
"Page": "페이지",
|
||||
"Permanently deleted": "영원히 삭제됨",
|
||||
"Publish": "공개",
|
||||
"Publish to web": "웹에서 공개",
|
||||
"Published to Web": "웹에서 공개됨",
|
||||
"Publishing": "웹으로 공개하기 위해서는 AFFiNE 클라우스 서비스가 필요함.",
|
||||
"Quick search": "빠른 검색",
|
||||
"Settings": "설정",
|
||||
"Sync": "싱크",
|
||||
"Tips": "팁:",
|
||||
"Undo": "되돌리기",
|
||||
"Underline": "밑줄",
|
||||
"Untitled": "제목 없음",
|
||||
"login success": "로그인 성공",
|
||||
"mobile device": "모바일 기기에서 탐색 중인 것으로 보임.",
|
||||
"AFFiNE Cloud": "AFFiNE 클라우드",
|
||||
"Cloud Workspace": "클라우드 워크스페이스",
|
||||
"Delete Workspace": "워크스페이스 삭제",
|
||||
"Failed to publish workspace": "워크스페이스 공개 실패",
|
||||
"My Workspaces": "내 워크스페이스",
|
||||
"New Workspace": "새로운 워크스페이스",
|
||||
"Open Workspace Settings": "워크스페이스 설정 열기",
|
||||
"Quick search placeholder2": "{{workspace}}에서 검색",
|
||||
"Remove from workspace": "워크스페이스에서 삭제",
|
||||
"Set a Workspace name": "워크스페이스 이름 입력",
|
||||
"Workspace Name": "워크스페이스 이름",
|
||||
"Workspace Avatar": "워크스페이스 아바타",
|
||||
"Workspace Owner": "워크스페이스 주인",
|
||||
"Workspace Icon": "워크스페이스 아이콘",
|
||||
"Enable AFFiNE Cloud": "AFFiNE 클라우드 활성화",
|
||||
"Continue with Google": "구글로 계속하기",
|
||||
"Copied link to clipboard": "링크가 클립보드로 복사됨",
|
||||
"Create Or Import": "생성하거나 불러오기",
|
||||
"Created": "생성됨",
|
||||
"Delete": "삭제",
|
||||
"Delete Workspace Description": "<1>{{workspace}}</1> 를 삭제하면 되돌릴 수 없으니 주의해주세요. 모든 항목을 잃게 됩니다.",
|
||||
"Quick search placeholder": "빠른 검색...",
|
||||
"Create Shared Link Description": "다른 사람과 공유할 수 있는 링크 생성하기",
|
||||
"Delete Member?": "멤버를 삭제할까요?",
|
||||
"Enable": "활성화",
|
||||
"Loading": "불러오는 중...",
|
||||
"Add Workspace": "워크스페이스 추가",
|
||||
"Added Successfully": "성공적으로 추가됨",
|
||||
"All changes are saved locally": "모든 변경사항이 로컬에 저장 완료",
|
||||
"All data has been stored in the cloud": "모든 데이터가 클라우드에 저장됨",
|
||||
"Back Home": "홈으로 돌아가기",
|
||||
"Download core data": "코어 데이터 다운로드",
|
||||
"Enable AFFiNE Cloud Description": "만약 활성화 한다면, 워크스페이스 데이터가 AFFiNE 클라우드에 백업 및 싱크 됩니다.",
|
||||
"Export AFFiNE backup file": "AFFiNE 백업 파일 내보내기",
|
||||
"Export success": "내보내기 ",
|
||||
"Keyboard Shortcuts": "키보드 단축키",
|
||||
"Markdown Syntax": "마크다운 문법",
|
||||
"Move folder": "폴더 이동",
|
||||
"Official Website": "공식 웹사이트",
|
||||
"Open folder": "폴더 열기",
|
||||
"Please make sure you are online": "온라인 인것을 확인하세요",
|
||||
"Placeholder of delete workspace": "워크스페이스 이름을 입력후 확인",
|
||||
"Recent": "최근",
|
||||
"Delete Workspace placeholder": "진행하기 위해서 \"Delete\"를 입력",
|
||||
"New Keyword Page": "새로운 '{{query}}' 페이지",
|
||||
"Rename": "이름 변경",
|
||||
"Removed from Favorites": "즐겨찾기에서 제거됨",
|
||||
"Remove from favorites": "즐겨찾기에서 제거",
|
||||
"UNKNOWN_ERROR": "알수 없는 에러",
|
||||
"TrashButtonGroupTitle": "영원히 삭제",
|
||||
"You cannot delete the last workspace": "모든",
|
||||
"com.affine.currentYear": "올해",
|
||||
"com.affine.cloudTempDisable.title": "AFFiNE 클라우드는 현재 개선중입니다.",
|
||||
"com.affine.helpIsland.gettingStarted": "시작하기",
|
||||
"com.affine.last30Days": "최근 30일",
|
||||
"com.affine.last7Days": "최근 7일",
|
||||
"com.affine.lastMonth": "지난 달",
|
||||
"com.affine.lastWeek": "지난 주",
|
||||
"com.affine.lastYear": "작년",
|
||||
"com.affine.new_import": "불러오기",
|
||||
"com.affine.today": "오늘",
|
||||
"com.affine.updater.restart-to-update": "업데이트 하기 위해 재시작",
|
||||
"com.affine.updater.update-available": "업데이트 가능",
|
||||
"com.affine.updater.open-download-page": "다운로드 페이지 열기",
|
||||
"com.affine.updater.downloading": "다운로드 진행중",
|
||||
"com.affine.yesterday": "어제",
|
||||
"com.affine.import_file": "마크다운(Markdown)/노션(Notion) 지원",
|
||||
"com.affine.write_with_a_blank_page": "새로운 페이지로 작성",
|
||||
"com.affine.pageMode": "페이지 모드",
|
||||
"com.affine.workspace.cannot-delete": "마지막 워크스페이스를 삭제할 수 없습니다",
|
||||
"com.affine.edgelessMode": "엣지리스 모드",
|
||||
"com.affine.new_edgeless": "새로운 엣지리스",
|
||||
"core": "코어",
|
||||
"dark": "다크",
|
||||
"system": "시스템",
|
||||
"Find results": "{{number}}개 결과 발견",
|
||||
"404 - Page Not Found": "404 - 발견되지 않음",
|
||||
"Confirm": "동의",
|
||||
"Contact Us": "우리에게 연락하세요",
|
||||
"Delete Workspace Description2": "<1>{{workspace}}</1>를 삭제하면 로컬과 클라우드 데이터 모두 삭제되며, 되돌릴 수 없으므로, 주의해주세요 ",
|
||||
"Discover what's new!": "새로운 기능 탐색",
|
||||
"Export to PNG": "PNG로 내보내기",
|
||||
"Export Description": "워크스페이스의 모든 데이터 백업을 내보내기 할 수 있으며, 내보내기 한 데이터는 다시 불러올 수 있습니다.",
|
||||
"Export Shared Pages Description": "다른 사람과 공유하기 위한 페이지의 정적 복사본 다운로드",
|
||||
"Export Workspace": "워크스페이스 <1>{{workspace}}</1> 내보내기는 추가될 예정입니다.",
|
||||
"Restore it": "복구하기",
|
||||
"restored": "{{title}} 복구됨",
|
||||
"Find 0 result": "0개 결과 발견",
|
||||
"Restart Install Client Update": "업데이트 하기 위해 재시작",
|
||||
"Collaboration Description": "다른 사람과 협업하기 위해서 AFFiNE 클라우드 서비스가 필요합니다.",
|
||||
"Add a subpage inside": "내부에서 하부 페이지 생성",
|
||||
"Collaboration": "협업",
|
||||
"Collapse sidebar": "사이드바 닫기",
|
||||
"Continue": "계속",
|
||||
"Expand sidebar": "사이드바 열기",
|
||||
"Export to PDF": "PDF로 내보내기",
|
||||
"Delete Workspace Label Hint": "워크스페이스를 삭제하게 되면, 모든 사용자의 데이터가 영구적으로 삭제됩니다. 워크스페이스의 데이터는 아무도 복구할 수 없습니다.",
|
||||
"FILE_ALREADY_EXISTS": "파일이 이미 존재함",
|
||||
"Favorites": "즐겨찾기",
|
||||
"Favorited": "즐겨찾기 됨",
|
||||
"Finding Current Workspace": "현재 워크스페이스 탐색",
|
||||
"Got it": "확인",
|
||||
"Help and Feedback": "도움과 피드백",
|
||||
"Heading": "헤딩 {{number}}",
|
||||
"Inline code": "인라인 코드",
|
||||
"Increase indent": "들여쓰기",
|
||||
"Invite Members": "멤버 초대",
|
||||
"Invite placeholder": "메일 검색 (Gmail만 지원)",
|
||||
"It takes up little space on your device": "당신의 장치의 작은 저장공간을 사용합니다.",
|
||||
"It takes up little space on your device.": "당신의 장치의 작은 저장공간을 사용합니다.",
|
||||
"It takes up more space on your device": "당신의 장치의 많은 저장공간을 사용합니다.",
|
||||
"It takes up more space on your device.": "당신의 장치의 많은 저장공간을 사용합니다.",
|
||||
"Italic": "이탤릭체",
|
||||
"Leave": "떠나기",
|
||||
"Jump to": "이동",
|
||||
"Link": "하이퍼링크 (선택된 텍스트)",
|
||||
"Leave Workspace Description": "워스크페이스를 떠나게 되면 데이터에 더이상 접근할 수 없습니다.",
|
||||
"Move to": "이동",
|
||||
"Move to Trash": "휴지통으로 이동",
|
||||
"Moved to Trash": "휴지통으로 이동됨",
|
||||
"Name Your Workspace": "워크스페이스 이름을 입력하세요",
|
||||
"No item": "새로운 아이템",
|
||||
"Not now": "나중에",
|
||||
"Open folder hint": "저장소의 위치 확인",
|
||||
"Pivots": "피봇",
|
||||
"Saved then enable AFFiNE Cloud": "모든 변경사항이 로컬에 저장되었습니다, 클릭하여 AFFiNE 클라우드를 활성화 하세요.",
|
||||
"Set database location": "데이터베이스 위치 선택",
|
||||
"Shape": "모양",
|
||||
"Get in touch!": "연락하세요!",
|
||||
"Get in touch! Join our communities": "연락하세요! 우리의 커뮤니티에 가입하세요.",
|
||||
"Get in touch! Join our communities.": "연락하세요! 우리의 커뮤니티에 가입하세요.",
|
||||
"Member": "멤버",
|
||||
"Member has been removed": "{{name}}이 삭제됨",
|
||||
"Members": "멤버들",
|
||||
"Move folder hint": "새로운 저장소 위치 선택",
|
||||
"Move folder success": "폴더 이동 성공",
|
||||
"Move page to": "페이지를 이동...",
|
||||
"Move page to...": "페이지를 이동...",
|
||||
"Published Description": "현재 워크스페이스가 웹을 통해 공개되었습니다, 링크를 가진 누구든지 워크스페이스의 콘텐츠를 볼 수 있습니다.",
|
||||
"Share with link": "링크로 공유",
|
||||
"Shared Pages": "공유된 페이지",
|
||||
"Share Menu Public Workspace Description2": "현재 워크스페이스는 웹을 통해 공유된 공유 워크스페이스입니다.",
|
||||
"Skip": "넘기기",
|
||||
"Shortcuts": "단축키",
|
||||
"Sign in": "AFFiNE 클라우드 로그인",
|
||||
"Sign out": "로그아웃",
|
||||
"Storage Folder": "저장 폴더",
|
||||
"Strikethrough": "취소선",
|
||||
"Synced with AFFiNE Cloud": "AFFiNE 클라우드로 동기화됨",
|
||||
"emptyAllPages": "이 워크스페이스는 비어있습니다. 새로운 페이지를 생성하여 이어가세요.",
|
||||
"emptySharedPages": "공유된 페이지는 여기서 확인할 수 있습니다.",
|
||||
"is a Cloud Workspace": "는 클라우드 워크스페이스 입니다.",
|
||||
"is a Local Workspace": "는 로컬 워크스페이스 입니다.",
|
||||
"light": "밝은",
|
||||
"upgradeBrowser": "최상의 경험을 위해 크롬을 최신 버전으로 업테이트 해주세요.",
|
||||
"still designed": "(현재 페이지는 지속적으로 수정되고 있습니다.)",
|
||||
"Sign in and Enable": "로그인하고 활성화",
|
||||
"Stay logged out": "로그아웃 상태 유지",
|
||||
"Sticky": "스티키 노트 (추가 예정)",
|
||||
"Stop publishing": "공유 중지",
|
||||
"Successfully deleted": "성공적으로 삭제됨",
|
||||
"Trash": "휴지통",
|
||||
"Title": "제목",
|
||||
"Sync across devices with AFFiNE Cloud": "AFFiNE 클라우드로 장치간 동기화",
|
||||
"others": "다른",
|
||||
"Bold": "굵은 글꼴",
|
||||
"Back to Quick Search": "빠른 검색으로 돌아가기",
|
||||
"Change workspace name hint": "새로운 이름은 모든 사람에게 공개됩니다.",
|
||||
"Change avatar hint": "새로운 아바타는 모든 사람에게 공개됩니다.",
|
||||
"Check Our Docs": "문서를 확인하세요",
|
||||
"ClearData": "로컬 데이터 삭제",
|
||||
"Cloud Workspace Description": "모든 데이터가 AFFiNE 계정 <1>{{email}}</1>으로 동기화 및 저장됨.",
|
||||
"Created Successfully": "성공적으로 생성됨",
|
||||
"Create your own workspace": "새로운 워크스페이스 생성",
|
||||
"Customize": "커스터마이즈",
|
||||
"Default Location": "기본 위치",
|
||||
"Default db location hint": "기본적으로 {{location}}에 저장됨",
|
||||
"Enabled success": "활성화 성공",
|
||||
"Force Sign Out": "강제 로그아웃",
|
||||
"Joined Workspace": "참가한 워크스페이스",
|
||||
"Local Workspace": "로컬 워크스페이스",
|
||||
"Non-Gmail": "Gmail 외에는 지원되지 않습니다",
|
||||
"Pen": "펜 (추가 예정)",
|
||||
"Save": "저장",
|
||||
"Set up an AFFiNE account to sync data": "AFFiNE 계정을 지정하여 데이터 동기화",
|
||||
"Share Menu Public Workspace Description1": "다른사람을 워크스페이스로 초대하거나 웹을 통하여 공유.",
|
||||
"Shared Pages Description": "페이지를 공유하기 위해서 AFFiNE 클라우드 서비스가 필요합니다.",
|
||||
"Update Available": "업데이트 가능",
|
||||
"Updated": "업데이트됨",
|
||||
"Workspace Not Found": "워크스페이스를 찾을 수 없음",
|
||||
"Workspace Settings": "워크스페이스 설정",
|
||||
"Workspace Type": "워크스페이스 종류",
|
||||
"all": "모든",
|
||||
"DB_FILE_PATH_INVALID": "데이터베이스 파일 경로가 유효하지 않음",
|
||||
"Edgeless": "엣지리스",
|
||||
"General": "일반",
|
||||
"Favorite pages for easy access": "쉬운 접근을 위해 즐겨찾기에 추가",
|
||||
"Once deleted, you can't undo this action.": "한 번 삭제하면, 되돌릴 수 없습니다",
|
||||
"Organize pages to build knowledge": "페이지를 구성하여 지식을 쌓으세요",
|
||||
"Reduce indent": "들여쓰기 감소",
|
||||
"Publishing Description": "웹을 통해 공유하게 되면, 링크를 가진 모든 사람이 콘텐츠를 볼 수 있습니다.",
|
||||
"Upload": "업로드",
|
||||
"Users": "유저들",
|
||||
"Wait for Sync": "싱크 대기중",
|
||||
"will delete member": "멤버를 삭제합니다",
|
||||
"Created with": "와 함께 생성됨",
|
||||
"DB_FILE_INVALID": "유요하지 않은 데이터베이스 파일"
|
||||
}
|
@ -1,196 +0,0 @@
|
||||
{
|
||||
"// THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.": "",
|
||||
"Local Workspace Description": "Все данные сохраняются на текущем устройстве. Вы можете включить AFFiNE Cloud для этого рабочего пространства, чтобы синхронизировать данные с облаком.",
|
||||
"Member": "Участник",
|
||||
"Member has been removed": "{{name}} был удален",
|
||||
"Published to Web": "Опубликовано в Интернете",
|
||||
"Sign out description": "Выход приведет к потере несинхронизированного контента.",
|
||||
"Remove from workspace": "Удалить из рабочего пространства",
|
||||
"Check Our Docs": "Проверьте нашу документацию",
|
||||
"is a Cloud Workspace": "это облачное рабочее пространство.",
|
||||
"Owner": "Владелец",
|
||||
"Export AFFiNE backup file": "Экспорт файла резервной копии AFFiNE",
|
||||
"is a Local Workspace": "это локальное рабочее пространство",
|
||||
"Wait for Sync": "Дождитесь синхронизации",
|
||||
"Joined Workspace": "Присоединенное рабочее пространство",
|
||||
"Retain local cached data": "Сохранять локальные кэшированные данные",
|
||||
"will delete member": "удалит участника",
|
||||
"Download all data": "Скачать все данные",
|
||||
"It takes up little space on your device": "Занимает мало места на вашем устройстве.",
|
||||
"It takes up more space on your device": "Занимает много места на вашем устройстве.",
|
||||
"Not now": "Не сейчас",
|
||||
"Set a Workspace name": "Задайте имя рабочего пространства",
|
||||
"Collaboration Description": "Для совместной работы с другими участниками требуется сервис AFFiNE Cloud.",
|
||||
"Edit": "Редактировать",
|
||||
"AFFiNE Cloud": "AFFiNE Cloud",
|
||||
"Published Description": "Текущее рабочее пространство было опубликовано в Интернете. Любой может просматривать содержимое по ссылке. ",
|
||||
"All data has been stored in the cloud": "Все данные хранятся в облаке.",
|
||||
"Data sync mode": "Режим синхронизации данных",
|
||||
"Retain cached cloud data": "Сохраняйте кэшированные облачные данные",
|
||||
"Get in touch! Join our communities": "Свяжитесь с нами! Присоединяйтесь к нашим сообществам.",
|
||||
"Add to favorites": "Добавить в избранное",
|
||||
"Saved then enable AFFiNE Cloud": "Все изменения сохраняются локально, нажмите чтобы включить AFFiNE Cloud.",
|
||||
"Enable AFFiNE Cloud Description": "Если этот параметр включен, данные в этом рабочем пространстве будут скопированы и синхронизированы с помощью AFFiNE Cloud.",
|
||||
"Workspace description": "Рабочее пространство - это ваше виртуальное пространство для фиксации, создания и планирования в одиночку или в команде. ",
|
||||
"Members": "Участники",
|
||||
"Available Offline": "Доступно оффлайн",
|
||||
"Back Home": "Вернуться на Главную",
|
||||
"Cloud Workspace": "Облачное рабочее пространство",
|
||||
"Cloud Workspace Description": "Все данные будут синхронизированы и сохранены в AFFiNE аккаунт <1>{{email}}</1>",
|
||||
"Copied link to clipboard": "Ссылка скопирована в буфер обмена",
|
||||
"Delete Member?": "Удалить участника?",
|
||||
"404 - Page Not Found": "404 - Страница не найдена",
|
||||
"Bold": "Жирный",
|
||||
"All pages": "Все страницы",
|
||||
"Added to Favorites": "Добавлено в Избранное",
|
||||
"Add to Favorites": "Добавить в Избранное",
|
||||
"Delete": "Удалить",
|
||||
"Code block": "Блок кода",
|
||||
"Create": "Создать",
|
||||
"All changes are saved locally": "Все изменения сохраняются локально",
|
||||
"ClearData": "Удалить локальные данные",
|
||||
"Contact Us": "Связаться с нами",
|
||||
"Continue with Google": "Продолжить с Google",
|
||||
"Copy Link": "Копировать ссылку",
|
||||
"Create Or Import": "Создать или Импортировать",
|
||||
"Delete page?": "Удалить страницу?",
|
||||
"Delete permanently": "Удалить навсегда",
|
||||
"Delete permanently?": "Удалить навсегда?",
|
||||
"Delete Workspace": "Удалить рабочее пространство",
|
||||
"Cancel": "Отмена",
|
||||
"Collaboration": "Совместная работа",
|
||||
"Collapse sidebar": "Свернуть боковую панель",
|
||||
"Find 0 result": "Найдено 0 результатов",
|
||||
"How is AFFiNE Alpha different?": "Чем отличается AFFiNE Alpha?",
|
||||
"Import": "Импорт",
|
||||
"Increase indent": "Увеличить отступ",
|
||||
"Inline code": "Встроенный код",
|
||||
"Italic": "Курсив",
|
||||
"Keyboard Shortcuts": "Горячие Клавиши",
|
||||
"Loading": "Загрузка...",
|
||||
"mobile device": "Похоже, вы просматриваете веб-страницы на мобильном устройстве.",
|
||||
"login success": "Успешный вход в систему",
|
||||
"Upload": "Загрузить",
|
||||
"Text": "Текст (скоро)",
|
||||
"Pen": "Ручка (скоро)",
|
||||
"Page": "Страница",
|
||||
"Official Website": "Официальный Сайт",
|
||||
"Moved to Trash": "Перемещено в корзину",
|
||||
"Markdown Syntax": "Markdown Синтаксис",
|
||||
"Select": "Выбор",
|
||||
"Shape": "Фигура",
|
||||
"Sticky": "Стикер (скоро)",
|
||||
"Connector": "Коннектор (скоро)",
|
||||
"Redo": "Повторно выполнить",
|
||||
"Undo": "Отменить",
|
||||
"Quick search placeholder2": "Поиск в {{workspace}}",
|
||||
"TrashButtonGroupDescription": "После удаления вы не сможете отменить это действие. Уверены?",
|
||||
"TrashButtonGroupTitle": "Удалить навсегда",
|
||||
"Body text": "Основной текст",
|
||||
"Leave Workspace": "Выйти из рабочего пространства",
|
||||
"Leave Workspace Description": "После выхода вы больше не сможете получить доступ к содержимому этого рабочего пространства.",
|
||||
"Sync Description": "{{workspaceName}} это локальное рабочее пространство. Все данные сохраняются на текущем устройстве. Вы можете включить AFFiNE Cloud для этого рабочего пространства, чтобы синхронизировать данные с облаком.",
|
||||
"Tips": "Совет:",
|
||||
"Paper": "Лист",
|
||||
"Quick search": "Быстрый поиск",
|
||||
"Quick search placeholder": "Быстрый поиск...",
|
||||
"Favorites": "Избранное",
|
||||
"Settings": "Настройки",
|
||||
"Trash": "Корзина",
|
||||
"New Page": "Новая страница",
|
||||
"Open in new tab": "Открыть в новой вкладке",
|
||||
"Untitled": "Без названия",
|
||||
"Jump to": "Перейти к",
|
||||
"Enable AFFiNE Cloud": "Включить AFFiNE Cloud",
|
||||
"Enable": "Включить",
|
||||
"Export": "Экспорт",
|
||||
"Export to HTML": "Экспорт в HTML",
|
||||
"Export to Markdown": "Экспорт в Markdown",
|
||||
"My Workspaces": "Мои рабочие пространства",
|
||||
"New Workspace": "Новое рабочее пространство",
|
||||
"Invite Members": "Пригласить участников",
|
||||
"Access level": "Уровень доступа",
|
||||
"Publish": "Публикация",
|
||||
"Publish to web": "Опубликовать в Интернете",
|
||||
"Publishing Description": "После публикации в Интернете любой сможет просматривать содержимое этого рабочего пространства по ссылке.",
|
||||
"Expand sidebar": "Развернуть боковую панель",
|
||||
"emptyAllPages": "Это рабочее пространство пусто. Создайте новую страницу, чтобы начать редактирование.",
|
||||
"Export Workspace": "Экспорт рабочего пространства <1>{{workspace}}</1> скоро будет доступен",
|
||||
"Delete Workspace placeholder": "Пожалуйста, введите \"Delete\" для подтверждения",
|
||||
"Delete Workspace Description": "Удаление <1>{{workspace}}</1> нельзя отменить, пожалуйста, действуйте с осторожностью. Все содержимое будет потеряно.",
|
||||
"Delete Workspace Description2": "Удаление <1>{{workspace}}</1> приведет к удалению как локальных, так и облачных данных, эта операция не может быть отменена, пожалуйста действуйте с осторожностью.",
|
||||
"Once deleted, you can't undo this action": "После удаления вы не сможете отменить это действие.",
|
||||
"Permanently deleted": "Удалено навсегда",
|
||||
"New Keyword Page": "Новая '{{query}}' страница",
|
||||
"Restore it": "Восстановить",
|
||||
"Remove from favorites": "Удалить из Избранного",
|
||||
"Underline": "Подчеркнутый",
|
||||
"Heading": "Заголовок {{number}}",
|
||||
"Strikethrough": "Перечеркнутый",
|
||||
"Divider": "Разделитель",
|
||||
"Link": "Гиперссылка (с выделенным текстом)",
|
||||
"will be moved to Trash": "{{title}} будет перемещен в Корзину",
|
||||
"upgradeBrowser": "Пожалуйста, обновите Chrome до последней версии для лучшего взаимодействия.",
|
||||
"still designed": "(Эта страница все еще находится в разработке.)",
|
||||
"restored": "{{title}} восстановлен",
|
||||
"recommendBrowser": "Мы рекомендуем <1>Chrome</1> браузер для наилучшего взаимодействия.",
|
||||
"mobile device description": "Мы все еще работаем над поддержкой мобильных устройств и рекомендуем использовать настольное устройство.",
|
||||
"AFFiNE Community": "Сообщество AFFiNE",
|
||||
"all": "все",
|
||||
"core": "основных",
|
||||
"Workspace Settings": "Настройки рабочего пространства",
|
||||
"Workspace Icon": "Иконка рабочего пространства",
|
||||
"Sync": "Синхронизация",
|
||||
"Stay logged out": "Не выходить из системы",
|
||||
"Skip": "Пропустить",
|
||||
"Title": "Название",
|
||||
"Favorite": "В Избранное",
|
||||
"Sign in and Enable": "Войти и Включить",
|
||||
"Sign in": "Войти в AFFiNE Cloud",
|
||||
"Favorited": "В Избранном",
|
||||
"Shortcuts": "Ярлыки",
|
||||
"Share with link": "Поделиться ссылкой",
|
||||
"Set up an AFFiNE account to sync data": "Настройте учетную запись AFFiNE для синхронизации данных",
|
||||
"Removed from Favorites": "Удалено из Избранного",
|
||||
"emptyFavorite": "Нажмите «Добавить в избранное», и страница появится здесь.",
|
||||
"Updated": "Обновлено",
|
||||
"Created": "Создано",
|
||||
"No item": "Нет элементов",
|
||||
"Workspace Name": "Имя рабочего пространства",
|
||||
"Workspace Type": "Тип рабочего пространства",
|
||||
"Sync Description2": "<1>{{workspaceName}}</1> это облачное рабочее пространство. Все данные будут синхронизированы и сохранены в AFFiNE Cloud.",
|
||||
"Users": "Пользователи",
|
||||
"Stop publishing": "Остановить публикацию",
|
||||
"Sign out": "Выйти из AFFiNE Cloud",
|
||||
"Reduce indent": "Уменьшить отступ",
|
||||
"Got it": "Понятно",
|
||||
"Get in touch!": "Связаться!",
|
||||
"Find results": "Найдено {{number}} результатов",
|
||||
"Edgeless": "Без полей",
|
||||
"Download data": "Скачать {{CoreOrAll}} данные",
|
||||
"Please make sure you are online": "Пожалуйста, убедитесь, что вы онлайн",
|
||||
"Workspace Owner": "Владелец рабочего пространства",
|
||||
"Convert to ": "Конвертировать в режим",
|
||||
"Local Workspace": "Локальное рабочее пространство",
|
||||
"General": "Общие",
|
||||
"Invite": "Пригласить",
|
||||
"Publishing": "Для публикации в интернете требуется сервис AFFiNE Cloud",
|
||||
"Pending": "В ожидании",
|
||||
"NotLoggedIn": "В настоящее время на авторизован",
|
||||
"Non-Gmail": "Поддерживается только Gmail",
|
||||
"Invite placeholder": "Поиск почты (поддерживается только Gmail)",
|
||||
"Leave": "Выйти",
|
||||
"Force Sign Out": "Принудительный выход",
|
||||
"Download data Description1": "Это занимает больше места на вашем устройстве.",
|
||||
"Enabled success": "Успешно",
|
||||
"Download data Description2": "Это занимает мало места на вашем устройстве.",
|
||||
"Download core data": "Скачать основные данные",
|
||||
"Help and Feedback": "Помощь и обратная связь",
|
||||
"Failed to publish workspace": "Не удалось опубликовать рабочее пространство",
|
||||
"emptyTrash": "Нажмите «Добавить в корзину», и страница появится здесь.",
|
||||
"Workspace Avatar": "Аватар рабочего пространства",
|
||||
"Confirm": "Подтвердить",
|
||||
"Export Description": "Вы можете экспортировать все данные рабочего пространства, потом эти данные можно повторно импортировать.",
|
||||
"Move to Trash": "Переместить в корзину",
|
||||
"Placeholder of delete workspace": "Пожалуйста, введите имя рабочего пространства для подтверждения"
|
||||
}
|
@ -40,6 +40,38 @@
|
||||
"404 - Page Not Found": "404 - 页面不见了",
|
||||
"Open in new tab": "在新标签页打开",
|
||||
"Create": "创建",
|
||||
"com.affine.filter": "筛选",
|
||||
"com.affine.currentYear": "今年",
|
||||
"com.affine.draw_with_a_blank_whiteboard": "在空白白板画画",
|
||||
"com.affine.earlier": "更早",
|
||||
"com.affine.import_file": "支持 Markdown/Notion",
|
||||
"com.affine.emptyDesc": "这里还没有页面",
|
||||
"com.affine.last7Days": "过去 7 天",
|
||||
"com.affine.lastMonth": "上个月",
|
||||
"com.affine.banner.content": "正在享受演示吗?<1>下载 AFFiNE 客户端</1>以获得完整体验。",
|
||||
"com.affine.cloudTempDisable.title": "AFFiNE Cloud 正在进行升级。",
|
||||
"com.affine.cloudTempDisable.description": "我们正在升级 AFFiNE Cloud 服务,客户端暂时不可启用它。如果您希望随时了解进度并收到关于云服务的可用性通知,您可以填写我们的<1>表单</1>。",
|
||||
"com.affine.edgelessMode": "无界模式",
|
||||
"com.affine.helpIsland.gettingStarted": "开始使用",
|
||||
"com.affine.onboarding.title1": "白板和文档的超融合",
|
||||
"com.affine.onboarding.title2": "直观且强大的块级编辑",
|
||||
"com.affine.onboarding.videoDescription1": "在页面模式和白板模式之间轻松切换,你可以在页面模式下创建结构化文档,并在白板模式下自由表达创意思想。",
|
||||
"com.affine.onboarding.videoDescription2": "轻松创建结构化文档,使用模块化界面将文本块、图像和其他内容拖放到页面中。",
|
||||
"com.affine.pageMode": "页面模式",
|
||||
"com.affine.last30Days": "过去 30 天",
|
||||
"com.affine.lastWeek": "上周",
|
||||
"com.affine.lastYear": "去年",
|
||||
"com.affine.updater.downloading": "下载中",
|
||||
"com.affine.updater.open-download-page": "打开下载页面",
|
||||
"com.affine.updater.restart-to-update": "重新启动以安装更新",
|
||||
"com.affine.updater.update-available": "有可用的更新",
|
||||
"com.affine.new_edgeless": "新的无边页面",
|
||||
"com.affine.new_import": "导入",
|
||||
"com.affine.today": "今天",
|
||||
"com.affine.workspace.cannot-delete": "您无法删除最后一个工作区",
|
||||
"com.affine.write_with_a_blank_page": "在空白页面书写",
|
||||
"com.affine.yesterday": "昨天",
|
||||
"com.affine.filter.before": "早于",
|
||||
"AFFiNE Community": "AFFiNE 社区",
|
||||
"All changes are saved locally": "所有改动已保存到本地",
|
||||
"Body text": "正文",
|
||||
@ -70,15 +102,23 @@
|
||||
"Reduce indent": "减少缩进",
|
||||
"Remove from favorites": "从收藏中移除",
|
||||
"Removed from Favorites": "已从收藏中移除",
|
||||
"com.affine.filter.after": "晚于",
|
||||
"com.affine.filter.is": "为",
|
||||
"com.affine.filter.is-favourited": "已收藏",
|
||||
"com.affine.filter.true": "是",
|
||||
"com.affine.filter.false": "否",
|
||||
"com.affine.filter.save-view": "保存视图",
|
||||
"Pen": "笔",
|
||||
"Access level": "访问权限",
|
||||
"Added to Favorites": "已收藏",
|
||||
"Collaboration": "协作",
|
||||
"About AFFiNE": "关于 AFFiNE",
|
||||
"Continue with Google": "谷歌登录以继续",
|
||||
"Delete page?": "确定要删除页面?",
|
||||
"Delete permanently": "永久删除",
|
||||
"Delete permanently?": "是否永久删除?",
|
||||
"Edgeless": "无界",
|
||||
"Enable AFFiNE Cloud": "启用 AFFiNE 云服务",
|
||||
"Sign in": "登录 AFFiNE Cloud",
|
||||
"Favorites": "收藏夹",
|
||||
"Get in touch!": "保持联络!",
|
||||
"Got it": "知道了",
|
||||
@ -91,19 +131,20 @@
|
||||
"Leave Workspace": "退出工作区",
|
||||
"Leave Workspace Description": "退出后,您将无法再访问此工作区的内容。",
|
||||
"Link": "超链接(选定文本)",
|
||||
"Collaboration Description": "与其他成员协作需要 AFFiNE 云服务支持。",
|
||||
"Moved to Trash": "已移到垃圾箱",
|
||||
"My Workspaces": "我的工作区",
|
||||
"Enable AFFiNE Cloud Description": "如启用,此工作区中的数据将通过 AFFiNE Cloud 进行备份和同步。",
|
||||
"How is AFFiNE Alpha different?": "AFFiNE Alpha 有何不同?",
|
||||
"Non-Gmail": "不支持非 Gmail 邮箱",
|
||||
"Publishing": "发布到 web 需要 AFFiNE 云服务。",
|
||||
"New Page": "新建页面",
|
||||
"New Workspace": "新建工作区",
|
||||
"No item": "无项目",
|
||||
"Enable AFFiNE Cloud": "启用 AFFiNE Cloud 服务",
|
||||
"NotLoggedIn": "当前未登录",
|
||||
"Official Website": "官网",
|
||||
"Once deleted, you can't undo this action": "一旦删除,您将无法撤销此操作。",
|
||||
"Collaboration Description": "与其他成员协作需要 AFFiNE Cloud 服务支持。",
|
||||
"Publishing": "发布到 web 需要 AFFiNE Cloud 服务。",
|
||||
"Publishing Description": "发布到 web 后,所有人都可以通过链接查看此工作区的内容。",
|
||||
"Created": "创建时间",
|
||||
"Delete Workspace Description": "正在删除 <1>{{workspace}}</1> ,此操作无法撤销,所有内容将会丢失。",
|
||||
@ -112,7 +153,6 @@
|
||||
"Find results": "找到 {{number}} 个结果",
|
||||
"Page": "页面",
|
||||
"Paper": "文档",
|
||||
"Pen": "笔(即将上线)",
|
||||
"Pending": "待定",
|
||||
"Permanently deleted": "已永久删除",
|
||||
"Publish": "发布",
|
||||
@ -126,24 +166,22 @@
|
||||
"Shortcuts": "快捷键",
|
||||
"Share with link": "通过链接分享",
|
||||
"Shape": "图形",
|
||||
"Sign in": "登录 AFFiNE 云",
|
||||
"Sign in and Enable": "登录并启用",
|
||||
"Sign out": "登出 AFFiNE 云",
|
||||
"Skip": "跳过",
|
||||
"Stay logged out": "保持登出状态",
|
||||
"Delete Workspace placeholder": "请输入”Delete“以确认",
|
||||
"New Keyword Page": "新建 “{{query}}“ 为标题的页面 ",
|
||||
"Sticky": "便利贴(即将上线)",
|
||||
"Connector": "链接",
|
||||
"Stop publishing": "中止发布",
|
||||
"Strikethrough": "删除线",
|
||||
"Sync": "同步",
|
||||
"Text": "文本(即将上线)",
|
||||
"Tips": "提示:",
|
||||
"Trash": "垃圾箱",
|
||||
"TrashButtonGroupDescription": "一旦删除,将无法撤消此操作。确定吗?",
|
||||
"Untitled": "未命名",
|
||||
"TrashButtonGroupTitle": "永久删除",
|
||||
"Updated": "已更新",
|
||||
"Sticky": "便利贴",
|
||||
"Upload": "上传",
|
||||
"Users": "用户",
|
||||
"Workspace Icon": "工作区图标",
|
||||
@ -163,13 +201,19 @@
|
||||
"upgradeBrowser": "请升级到最新版本的 Chrome 以获得最佳体验。",
|
||||
"will be moved to Trash": "{{title}} 将被移到垃圾箱",
|
||||
"recommendBrowser": "建议使用 <1>Chrome</1> 浏览器以获得最佳体验。",
|
||||
"Connector": "链接(即将上线)",
|
||||
"General": "常规",
|
||||
"Restore it": "恢复TA",
|
||||
"all": "全部",
|
||||
"core": "核心",
|
||||
"Delete Workspace Description2": "正在删除 <1>{{workspace}}</1> ,将同时删除本地和云端数据。此操作无法撤消,请谨慎操作。",
|
||||
"Text": "文本",
|
||||
"Appearance Settings": "外观设置",
|
||||
"Sync Description": "{{workspaceName}}是本地工作区,所有数据都存储在当前设备上。您可以为此工作区启用 AFFiNE Cloud,以使数据与云端保持同步。",
|
||||
"Delete Workspace Description2": "正在删除<1>{{workspace}}</1> ,将同时删除本地和云端数据。此操作无法撤消,请谨慎操作。",
|
||||
"Updated": "更新时间",
|
||||
"Append to Daily Note": "附加到随笔",
|
||||
"By default, the week starts on Sunday.": "默认情况下,一周从星期日开始。",
|
||||
"Check Keyboard Shortcuts quickly": "快速查看快捷键",
|
||||
"Check for updates": "检查更新",
|
||||
"Failed to publish workspace": "工作区发布失败",
|
||||
"Member": "成员",
|
||||
"Member has been removed": "{{name}} 已被移除。",
|
||||
@ -181,15 +225,50 @@
|
||||
"Add to favorites": "加入收藏",
|
||||
"Export AFFiNE backup file": "导出 AFFiNE 备份文件",
|
||||
"AFFiNE Cloud": "AFFiNE Cloud",
|
||||
"Check for updates automatically": "自动检查更新",
|
||||
"Choose your color scheme": "选择你的配色方案",
|
||||
"Client Border Style": "客户端边框样式",
|
||||
"Color Scheme": "配色方案",
|
||||
"Communities": "社区",
|
||||
"Contact with us": "联系我们",
|
||||
"Customize your AFFiNE Appearance": "定制您的 AFFiNE 外观",
|
||||
"Copy": "复制",
|
||||
"Retain local cached data": "保留本地缓存数据",
|
||||
"Set a Workspace name": "设置工作区名字",
|
||||
"Workspace Avatar": "工作区头像",
|
||||
"is a Local Workspace": "是本地工作区",
|
||||
"Sign out description": "登出会导致未同步的内容丢失",
|
||||
"Not now": "稍后再说",
|
||||
"Saved then enable AFFiNE Cloud": "所有改动已保存在本地,点击启用 AFFiNE 云服务",
|
||||
"Created with": "创建于",
|
||||
"Curve Connector": "曲线连接",
|
||||
"Customize appearance of Windows Client.": "自定义 Windows 客户端外观。",
|
||||
"Customize the appearance of the client.": "自定义客户端外观。",
|
||||
"Date Format": "日期格式",
|
||||
"Disable the blur sidebar": "禁用模糊侧边栏",
|
||||
"Disable the noise background on the sidebar": "禁用侧边栏的噪点背景",
|
||||
"Display Language": "显示语言",
|
||||
"Download updates automatically": "自动下载更新",
|
||||
"Elbowed Connector": "弯曲连接",
|
||||
"Customize your date style.": "定制您的日期格式。",
|
||||
"Date": "日期",
|
||||
"Discover what's new": "发现新动态",
|
||||
"Enable cloud hint": "以下功能依赖于 AFFiNE Cloud。 所有数据都存储在当前设备上。 您可以为此工作区启用 AFFiNE Cloud,以保持数据与云同步。",
|
||||
"Saved then enable AFFiNE Cloud": "所有改动已保存在本地,点击启用 AFFiNE Cloud 服务。",
|
||||
"Expand/Collapse Sidebar": "展开/折叠侧边栏",
|
||||
"Export to PNG": "导出为 PNG",
|
||||
"Full width Layout": "全宽布局",
|
||||
"Go Back": "返回",
|
||||
"Go Forward": "前进",
|
||||
"Group": "分组",
|
||||
"Group as Database": "作为数据库分组",
|
||||
"Hand": "拖放",
|
||||
"If enabled, it will automatically check for new versions at regular intervals.": "如果启用,它将定期自动检查新版本。",
|
||||
"If enabled, new versions will be automatically downloaded to the current device.": "如果启用,新版本将自动下载到当前设备。",
|
||||
"Image": "图像",
|
||||
"Info": "信息",
|
||||
"Check Our Docs": "查看我们的文档",
|
||||
"Move to Trash": "移到垃圾箱",
|
||||
"Info of legal": "法律信息",
|
||||
"Add a subpage inside": "添加一个子页面",
|
||||
"Discover what's new!": "发现最近更新!",
|
||||
"Get in touch! Join our communities": "保持联系!加入我们的社区。",
|
||||
@ -200,6 +279,41 @@
|
||||
"RFP": "页面可以从枢纽上被自由添加或删除,但仍然可以在“所有页面”中访问。",
|
||||
"Remove from Pivots": "从枢纽中删除",
|
||||
"Rename": "重命名",
|
||||
"Maximum display of content within a page.": "页面内容的最大显示量。",
|
||||
"Members hint": "在这里管理成员,通过电子邮件邀请新成员。",
|
||||
"Move Down": "下移",
|
||||
"Move Up": "上移",
|
||||
"NativeTitleBar": "原生标题栏",
|
||||
"Need more customization options? You can suggest them to us in the community.": "需要更多定制选项?您可以在社区中向我们推荐它们。",
|
||||
"New version is ready": "新版本已准备就绪",
|
||||
"None yet": "还没有",
|
||||
"Note": "笔记",
|
||||
"Only an owner can edit the the Workspace avatar and name.Changes will be shown for everyone.": "只有所有者才能编辑工作区头像和名称。更改将向所有人显示。",
|
||||
"Privacy": "隐私",
|
||||
"Published hint": "访客可以通过提供的链接查看内容。",
|
||||
"Quick Search": "快速搜索",
|
||||
"Select All": "全选",
|
||||
"Select the language for the interface.": "选择界面语言。",
|
||||
"Sidebar": "侧边栏",
|
||||
"Storage": "储存",
|
||||
"Theme": "主题",
|
||||
"Ungroup": "取消分组",
|
||||
"View the AFFiNE Changelog.": "查看 AFFiNE 更新日志。",
|
||||
"Workspace Settings with name": "{{name}} 的设置",
|
||||
"Start Week On Monday": "一周从周一开始",
|
||||
"Storage and Export": "储存与导出",
|
||||
"Straight Connector": "直线连接",
|
||||
"Terms of Use": "使用条款",
|
||||
"Unpublished hint": "发布到网络后,访问者可以通过提供的链接查看内容。",
|
||||
"Version": "版本",
|
||||
"Window frame style": "视窗样式",
|
||||
"Workspace Profile": "工作区配置文件",
|
||||
"Workspace saved locally": "{{name}} 已保存在本地",
|
||||
"You can customize your workspace here.": "您可以在此处自定义您的工作区。",
|
||||
"Zoom in": "放大",
|
||||
"Zoom out": "缩小",
|
||||
"Zoom to 100%": "缩放至 100%",
|
||||
"Zoom to fit": "缩放至适当尺寸",
|
||||
"Local Workspace Description": "所有数据都本地存储在当前设备。您可以为此工作区启用 AFFiNE Cloud,以保证数据时刻被云端同步。",
|
||||
"Add Workspace Hint": "请选择已有的数据库文件",
|
||||
"Back to Quick Search": "返回快速搜索",
|
||||
@ -264,23 +378,14 @@
|
||||
"Workspace Not Found": "未找到工作区",
|
||||
"Workspace database storage description": "选择您要创建工作区的位置。工作区的数据默认情况下会保存在本地。",
|
||||
"You cannot delete the last workspace": "您不能删除最后一个工作区",
|
||||
"com.affine.banner.content": "正在享受演示吗?<1>下载 AFFiNE 客户端</1>以获得完整体验。",
|
||||
"com.affine.cloudTempDisable.title": "AFFiNE Cloud 正在进行升级。",
|
||||
"com.affine.cloudTempDisable.description": "我们正在升级 AFFiNE Cloud 服务,客户端暂时不可启用它。如果您希望随时了解进度并收到关于云服务的可用性通知,您可以填写我们的<1>表单</1>。",
|
||||
"com.affine.edgelessMode": "无界模式",
|
||||
"com.affine.helpIsland.gettingStarted": "开始使用",
|
||||
"com.affine.onboarding.title1": "白板和文档的超融合",
|
||||
"com.affine.onboarding.title2": "直观且强大的块级编辑",
|
||||
"com.affine.onboarding.videoDescription1": "在页面模式和白板模式之间轻松切换,你可以在页面模式下创建结构化文档,并在白板模式下自由表达创意思想。",
|
||||
"com.affine.onboarding.videoDescription2": "轻松创建结构化文档,使用模块化界面将文本块、图像和其他内容拖放到页面中。",
|
||||
"com.affine.pageMode": "页面模式",
|
||||
"com.affine.updater.downloading": "下载中",
|
||||
"com.affine.updater.open-download-page": "打开下载页面",
|
||||
"com.affine.updater.restart-to-update": "重新启动以安装更新",
|
||||
"com.affine.updater.update-available": "有可用的更新",
|
||||
"emptySharedPages": "共享的页面将显示在此处。",
|
||||
"light": "浅色",
|
||||
"dark": "深色",
|
||||
"others": "其他",
|
||||
"system": "跟随系统"
|
||||
"system": "跟随系统",
|
||||
"emptyAllPagesClient": "点击 <1>$t(New Page)</1> 按钮或按 <3>{{shortcut}}</3> 以创建您的第一个页面。",
|
||||
"frameless": "无边框",
|
||||
"Export to PDF": "导出为 PDF",
|
||||
"com.affine.settings.workspace": "工作区",
|
||||
"com.affine.settings.appearance": "外观"
|
||||
}
|
||||
|
@ -2,7 +2,7 @@
|
||||
"extends": "../../tsconfig.json",
|
||||
"compilerOptions": {
|
||||
"composite": true,
|
||||
"module": "ESNext",
|
||||
"module": "NodeNext",
|
||||
"resolveJsonModule": true,
|
||||
"moduleResolution": "nodenext",
|
||||
"outDir": "lib/resources",
|
||||
|
Loading…
Reference in New Issue
Block a user