From 93f1a1883a38933d1a4a1de65f61b1c18c3be33b Mon Sep 17 00:00:00 2001 From: Rob Gordon Date: Tue, 8 Apr 2025 21:15:28 -0400 Subject: [PATCH 1/2] Add Folders (#788) * Initial production * Ability to move * Update types * Map from database types to client * Added queries and mutations * Basic Chart Rendering * Basic functionality * Fix charts on mobile * Remove unused import * Add translations * Fix pointer-events, dropdown * Update link address --- app/src/components/Header.tsx | 6 +- app/src/components/Router.tsx | 6 +- app/src/components/charts/ChartListItem.tsx | 267 ++++++++++ app/src/components/charts/ChartModals.tsx | 459 +++++++++++++++++ app/src/components/charts/ChartsToolbar.tsx | 152 ++++++ app/src/components/charts/EmptyState.tsx | 68 +++ app/src/components/charts/types.ts | 70 +++ app/src/lib/folderQueries.ts | 539 ++++++++++++++++++++ app/src/lib/formatDate.ts | 52 ++ app/src/lib/mockChartData.ts | 156 ++++++ app/src/locales/de/messages.js | 2 +- app/src/locales/de/messages.po | 129 +++++ app/src/locales/en/messages.js | 2 +- app/src/locales/en/messages.po | 129 +++++ app/src/locales/es/messages.js | 2 +- app/src/locales/es/messages.po | 129 +++++ app/src/locales/fr/messages.js | 2 +- app/src/locales/fr/messages.po | 129 +++++ app/src/locales/hi/messages.js | 2 +- app/src/locales/hi/messages.po | 129 +++++ app/src/locales/ko/messages.js | 2 +- app/src/locales/ko/messages.po | 129 +++++ app/src/locales/pt-br/messages.js | 2 +- app/src/locales/pt-br/messages.po | 129 +++++ app/src/locales/zh/messages.js | 2 +- app/src/locales/zh/messages.po | 129 +++++ app/src/pages/MyCharts.tsx | 325 ++++++++++++ app/src/types/database.types.ts | 169 +++++- 28 files changed, 3290 insertions(+), 27 deletions(-) create mode 100644 app/src/components/charts/ChartListItem.tsx create mode 100644 app/src/components/charts/ChartModals.tsx create mode 100644 app/src/components/charts/ChartsToolbar.tsx create mode 100644 app/src/components/charts/EmptyState.tsx create mode 100644 app/src/components/charts/types.ts create mode 100644 app/src/lib/folderQueries.ts create mode 100644 app/src/lib/formatDate.ts create mode 100644 app/src/lib/mockChartData.ts create mode 100644 app/src/pages/MyCharts.tsx diff --git a/app/src/components/Header.tsx b/app/src/components/Header.tsx index 0e1a940c4..0223165de 100644 --- a/app/src/components/Header.tsx +++ b/app/src/components/Header.tsx @@ -44,7 +44,7 @@ import { ReactComponent as BrandSvg } from "./brand.svg"; export const Header = memo(function SharedHeader() { const { pathname } = useLocation(); const isSponsorPage = pathname === "/pricing"; - const isChartsPage = pathname === "/y"; + const isChartsPage = pathname === "/charts"; const isSettingsPage = pathname === "/s"; const isAccountPage = pathname === "/a"; const isFeedbackPage = pathname === "/o"; @@ -110,7 +110,7 @@ export const Header = memo(function SharedHeader() { } aria-current={isChartsPage ? "page" : undefined} /> @@ -373,7 +373,7 @@ function MobileHeader({ /> } aria-current={isChartsPage ? "page" : undefined} /> diff --git a/app/src/components/Router.tsx b/app/src/components/Router.tsx index fdf95dbcc..c14f82710 100644 --- a/app/src/components/Router.tsx +++ b/app/src/components/Router.tsx @@ -24,12 +24,12 @@ const Changelog = lazy(() => import("../pages/Changelog")); const Roadmap = lazy(() => import("../pages/Roadmap")); const Account = lazy(() => import("../pages/Account")); const New = lazy(() => import("../pages/New")); -const Charts = lazy(() => import("../pages/Charts")); const ForgotPassword = lazy(() => import("../pages/ForgotPassword")); const DesignSystem = lazy(() => import("../pages/DesignSystem")); const PrivacyPolicy = lazy(() => import("../pages/PrivacyPolicy")); const CookiePolicy = lazy(() => import("../pages/CookiePolicy")); const Success = lazy(() => import("../pages/Success")); +const MyCharts = lazy(() => import("../pages/MyCharts")); import Page404 from "../pages/404"; import { useSupportLegacyNRoute } from "../lib/useSupportLegacyNRoute"; import { useEnsureLoadTemplate } from "../lib/loadTemplate"; @@ -48,10 +48,10 @@ export default function Router() { } /> {/* "y" for "your charts" */} - + } /> diff --git a/app/src/components/charts/ChartListItem.tsx b/app/src/components/charts/ChartListItem.tsx new file mode 100644 index 000000000..d6f1774eb --- /dev/null +++ b/app/src/components/charts/ChartListItem.tsx @@ -0,0 +1,267 @@ +import { Trans } from "@lingui/macro"; +import { + DotsThree, + Folder, + File, + PencilSimple, + Trash, + Copy, + CaretRight, + CaretDown, + ArrowSquareOut, + FolderOpen, + Link as LinkIcon, +} from "phosphor-react"; +import * as DropdownMenu from "@radix-ui/react-dropdown-menu"; +import { useEffect, useState, useRef } from "react"; +import { ChartItem, FolderItem } from "./types"; +import { formatDate } from "../../lib/formatDate"; +import { useItemsByParentId } from "../../lib/folderQueries"; +import { Link } from "react-router-dom"; + +interface ChartListItemProps { + item: ChartItem; + onDelete: (item: ChartItem) => void; + onClone: (item: ChartItem) => void; + onRename: (item: ChartItem) => void; + onMove: (item: ChartItem) => void; + onOpen: (item: ChartItem) => void; + level?: number; +} + +export function ChartListItem({ + item, + onDelete, + onClone, + onRename, + onMove, + onOpen, + level = 0, +}: ChartListItemProps) { + const [isExpanded, setIsExpanded] = useState(false); + const isFolder = item.type === "folder"; + const hasFetchedData = useRef(false); + + // Only fetch folder contents when this folder is expanded + const { data: folderContents = [], isLoading } = useItemsByParentId( + isFolder && isExpanded ? item.id : null + ); + + // Update the folder's items when we get new data + useEffect(() => { + // Only update folder contents if: + // 1. It's a folder and it's expanded + // 2. AND we have actual content OR we haven't fetched data before + if (isFolder && isExpanded) { + if (folderContents.length > 0) { + (item as FolderItem).items = folderContents; + hasFetchedData.current = true; + } else if (!hasFetchedData.current) { + // Only update with empty data if we haven't successfully fetched data before + (item as FolderItem).items = folderContents; + } + } + + // Reset the ref when component unmounts + return () => { + if (isFolder) { + hasFetchedData.current = false; + } + }; + }, [isFolder, isExpanded, folderContents, item]); + + const handleClick = () => { + if (isFolder) { + setIsExpanded((prev) => !prev); + } else { + onOpen(item); + } + }; + + const Clickable: + | { + element: "button"; + props: { + onClick: () => void; + onKeyDown: (e: React.KeyboardEvent) => void; + }; + } + | { + element: typeof Link; + props: { + to: string; + }; + } = isFolder + ? { + element: "button", + props: { + onClick: handleClick, + onKeyDown(e) { + if (e.key === "Enter" || e.key === " ") { + e.preventDefault(); + handleClick(); + } + }, + }, + } + : { element: Link, props: { to: `/u/${item.id}` } }; + + // Render appropriate content based on item type + const renderItemContent = () => ( +
+ {/* @ts-ignore */} + + {isFolder && ( + + {isExpanded ? : } + + )} + +
+ {isFolder ? ( + isExpanded ? ( + + ) : ( + + ) + ) : ( + + )} +
+ +
+
+ {item.name} + {!isFolder && item.is_public && item.public_id && ( + e.stopPropagation()} + title={`View public chart: ${item.name}`} + > + + + )} +
+ {isFolder ? null : ( +
+ {formatDate(item.updatedAt)}{" "} +
+ )} +
+
+ + + + + + + { + e.stopPropagation(); + onRename(item); + }} + > + + Rename + + + { + e.stopPropagation(); + onMove(item); + }} + > + + Move + + + {!isFolder && ( + { + e.stopPropagation(); + onClone(item); + }} + > + + Clone + + )} + + + + { + e.stopPropagation(); + onDelete(item); + }} + > + + Delete + + + +
+ ); + + return ( +
+ {renderItemContent()} + + {isFolder && isExpanded && ( +
+ {isLoading ? ( +
+
+ Loading... +
+ ) : folderContents.length > 0 ? ( + folderContents.map((childItem: ChartItem) => ( + + )) + ) : ( +
+ No items in this folder +
+ )} +
+ )} +
+ ); +} diff --git a/app/src/components/charts/ChartModals.tsx b/app/src/components/charts/ChartModals.tsx new file mode 100644 index 000000000..ef26e677e --- /dev/null +++ b/app/src/components/charts/ChartModals.tsx @@ -0,0 +1,459 @@ +import { Trans } from "@lingui/macro"; +import * as Dialog from "@radix-ui/react-dialog"; +import { X, Folder } from "phosphor-react"; +import { useState } from "react"; +import { Content, Overlay } from "../../ui/Dialog"; +import { Button2, Input } from "../../ui/Shared"; +import { ChartItem } from "./types"; + +interface DeleteModalProps { + isOpen: boolean; + onClose: () => void; + item: ChartItem | null; + onConfirm: () => void; +} + +export function DeleteModal({ + isOpen, + onClose, + item, + onConfirm, +}: DeleteModalProps) { + if (!item) return null; + + const isFolder = item.type === "folder"; + const hasFolderItems = isFolder && (item as any).items.length > 0; + + return ( + + + + + + Delete {isFolder ? "Folder" : "Flowchart"} + + + + {isFolder ? ( + hasFolderItems ? ( + + Are you sure you want to delete the folder "{item.name}" and + all its contents? This action cannot be undone. + + ) : ( + + Are you sure you want to delete the folder "{item.name}"? This + action cannot be undone. + + ) + ) : ( + + Are you sure you want to delete the flowchart "{item.name}"? + This action cannot be undone. + + )} + + +
+ + Cancel + + + Delete + +
+ + + + +
+
+
+ ); +} + +interface CloneModalProps { + isOpen: boolean; + onClose: () => void; + item: ChartItem | null; + onConfirm: (newName: string) => void; +} + +export function CloneModal({ + isOpen, + onClose, + item, + onConfirm, +}: CloneModalProps) { + const [name, setName] = useState(""); + + if (!item || item.type === "folder") return null; + + return ( + { + if (open) { + setName(`${item.name} (Copy)`); + } + onClose(); + }} + > + + + + + Clone Flowchart + + + + Enter a name for the cloned flowchart. + + +
+ setName(e.target.value)} + placeholder="Flowchart name" + className="w-full" + /> +
+ +
+ + Cancel + + onConfirm(name)} + disabled={!name.trim()} + > + Clone + +
+ + + + +
+
+
+ ); +} + +interface RenameModalProps { + isOpen: boolean; + onClose: () => void; + item: ChartItem | null; + onConfirm: (newName: string) => void; +} + +export function RenameModal({ + isOpen, + onClose, + item, + onConfirm, +}: RenameModalProps) { + const [name, setName] = useState(""); + + if (!item) return null; + + const isFolder = item.type === "folder"; + + return ( + { + if (open) { + setName(item.name); + } + onClose(); + }} + > + + + + + Rename {isFolder ? "Folder" : "Flowchart"} + + + + + Enter a new name for the {isFolder ? "folder" : "flowchart"}. + + + +
+ setName(e.target.value)} + placeholder={isFolder ? "Folder name" : "Flowchart name"} + className="w-full" + /> +
+ +
+ + Cancel + + onConfirm(name)} + disabled={!name.trim()} + > + Rename + +
+ + + + +
+
+
+ ); +} + +interface NewFolderModalProps { + isOpen: boolean; + onClose: () => void; + onConfirm: (name: string) => void; +} + +export function NewFolderModal({ + isOpen, + onClose, + onConfirm, +}: NewFolderModalProps) { + const [name, setName] = useState(""); + + return ( + { + if (open) { + setName(""); + } + onClose(); + }} + > + + + + + New Folder + + + + Enter a name for the new folder. + + +
+ setName(e.target.value)} + placeholder="Folder name" + className="w-full" + /> +
+ +
+ + Cancel + + onConfirm(name)} + disabled={!name.trim()} + > + Create + +
+ + + + +
+
+
+ ); +} + +interface MoveModalProps { + isOpen: boolean; + onClose: () => void; + item: ChartItem | null; + folders: ChartItem[]; // List of all folders + onConfirm: (destinationFolderId: string | null) => void; +} + +export function MoveModal({ + isOpen, + onClose, + item, + folders, + onConfirm, +}: MoveModalProps) { + const [selectedFolderId, setSelectedFolderId] = useState(null); + + if (!item) return null; + + const isFolder = item.type === "folder"; + + // Recursive function to render folders with proper indentation + const renderFolderList = (folderList: ChartItem[], level = 0) => { + return folderList + .filter((folder) => folder.type === "folder" && folder.id !== item.id) + .map((folder) => { + // Skip rendering the current item and its children to prevent circular references + const cannotBeMovedInto = + isFolder && + ((folder as any).items || []).some( + (f: ChartItem) => + f.id === item.id || + (f.type === "folder" && + (f as any).items.some((c: ChartItem) => c.id === item.id)) + ); + + if (cannotBeMovedInto) return null; + + return ( +
+
setSelectedFolderId(folder.id)} + onKeyDown={(e) => { + if (e.key === "Enter" || e.key === " ") { + e.preventDefault(); + setSelectedFolderId(folder.id); + } + }} + role="button" + tabIndex={0} + style={{ paddingLeft: `${level * 16 + 12}px` }} + > +
+ + + {folder.name} + +
+
+ + {/* Render children folders recursively */} + {folder.type === "folder" && + (folder as any).items?.length > 0 && + renderFolderList( + (folder as any).items.filter( + (i: ChartItem) => i.type === "folder" + ), + level + 1 + )} +
+ ); + }); + }; + + return ( + { + if (!open) { + onClose(); + setSelectedFolderId(null); + } + }} + > + + + + + Move {isFolder ? "Folder" : "Flowchart"} + + + + Select a destination folder for "{item.name}". + + +
+ {/* Option for root/no folder */} +
setSelectedFolderId(null)} + onKeyDown={(e) => { + if (e.key === "Enter" || e.key === " ") { + e.preventDefault(); + setSelectedFolderId(null); + } + }} + role="button" + tabIndex={0} + > +
+ + + No Folder (Root) + +
+
+ + {/* Render folders recursively */} + {renderFolderList(folders)} +
+ +
+ + Cancel + + onConfirm(selectedFolderId)}> + Move + +
+ + + + +
+
+
+ ); +} diff --git a/app/src/components/charts/ChartsToolbar.tsx b/app/src/components/charts/ChartsToolbar.tsx new file mode 100644 index 000000000..4a70d5196 --- /dev/null +++ b/app/src/components/charts/ChartsToolbar.tsx @@ -0,0 +1,152 @@ +import { Trans } from "@lingui/macro"; +import { + MagnifyingGlass, + SortAscending, + SortDescending, + Plus, + FolderPlus, +} from "phosphor-react"; +import { useCallback } from "react"; +import * as DropdownMenu from "@radix-ui/react-dropdown-menu"; +import { Button2 } from "../../ui/Shared"; +import { SortConfig, SortOption } from "./types"; + +interface ChartsToolbarProps { + searchQuery: string; + onSearchChange: (query: string) => void; + sortConfig: SortConfig; + onSortChange: (sortConfig: SortConfig) => void; + onNewChart: () => void; + onNewFolder: () => void; +} + +export function ChartsToolbar({ + searchQuery, + onSearchChange, + sortConfig, + onSortChange, + onNewChart, + onNewFolder, +}: ChartsToolbarProps) { + const toggleSortDirection = useCallback(() => { + onSortChange({ + ...sortConfig, + direction: sortConfig.direction === "asc" ? "desc" : "asc", + }); + }, [sortConfig, onSortChange]); + + const handleSortOptionChange = useCallback( + (sortBy: SortOption) => { + onSortChange({ + ...sortConfig, + sortBy, + }); + }, + [sortConfig, onSortChange] + ); + + return ( +
+
+
+ onSearchChange(e.target.value)} + placeholder="Search charts..." + className="pl-10 p-2 bg-neutral-200 dark:bg-neutral-900 text-neutral-700 dark:text-neutral-300 rounded-md w-64 focus:outline-none focus:ring-2 focus:ring-blue-500" + /> + +
+ + + + + ) : ( + + ) + } + color="default" + size="xs" + className="ml-2" + > + + Sort by{" "} + {sortConfig.sortBy === "createdAt" + ? "Created" + : sortConfig.sortBy === "updatedAt" + ? "Updated" + : "Name"} + + + + + handleSortOptionChange("name")} + > + Name + + handleSortOptionChange("createdAt")} + > + Created Date + + handleSortOptionChange("updatedAt")} + > + Updated Date + + + + {sortConfig.direction === "asc" ? ( + <> + + Sort Descending + + ) : ( + <> + + Sort Ascending + + )} + + + +
+ +
+ } + onClick={onNewChart} + > + New Flowchart + + + } + onClick={onNewFolder} + > + New Folder + +
+
+ ); +} diff --git a/app/src/components/charts/EmptyState.tsx b/app/src/components/charts/EmptyState.tsx new file mode 100644 index 000000000..a91ee07ab --- /dev/null +++ b/app/src/components/charts/EmptyState.tsx @@ -0,0 +1,68 @@ +import { Trans } from "@lingui/macro"; +import { FolderNotchPlus, Plus } from "phosphor-react"; +import { Button2 } from "../../ui/Shared"; + +interface EmptyStateProps { + onNewChart: () => void; + onNewFolder: () => void; + isFiltered?: boolean; +} + +export function EmptyState({ + onNewChart, + onNewFolder, + isFiltered = false, +}: EmptyStateProps) { + return ( +
+
+ +
+ +

+ {isFiltered ? ( + No matching charts found + ) : ( + No charts yet + )} +

+ +

+ {isFiltered ? ( + + Try adjusting your search or filters to find what you're looking + for. + + ) : ( + + Create a new flowchart to get started or organize your work with + folders. + + )} +

+ + {!isFiltered && ( +
+ } + onClick={onNewChart} + > + New Flowchart + + + } + onClick={onNewFolder} + > + New Folder + +
+ )} +
+ ); +} diff --git a/app/src/components/charts/types.ts b/app/src/components/charts/types.ts new file mode 100644 index 000000000..be8ebdf47 --- /dev/null +++ b/app/src/components/charts/types.ts @@ -0,0 +1,70 @@ +import { Tables } from "../../types/database.types"; + +export interface FlowchartItem { + id: string; + name: string; + createdAt: Date; + updatedAt: Date; + type: "chart"; + content?: string; + is_public: boolean; + public_id: string | null; + folder_id: string | null; + user_id: string; +} + +// Convert from Supabase user_charts table to our FlowchartItem +export function mapToFlowchartItem( + chart: Tables<"user_charts"> +): FlowchartItem { + return { + id: chart.id.toString(), + name: chart.name, + createdAt: new Date(chart.created_at), + updatedAt: new Date(chart.updated_at), + type: "chart", + content: chart.chart, + is_public: chart.is_public, + public_id: chart.public_id, + folder_id: chart.folder_id, + user_id: chart.user_id, + }; +} + +export interface FolderItem { + id: string; + name: string; + createdAt: Date; + updatedAt: Date; + type: "folder"; + items: (FlowchartItem | FolderItem)[]; + parent_id: string | null; + user_id: string; +} + +// Convert from Supabase folders table to our FolderItem +export function mapToFolderItem( + folder: Tables<"folders">, + items: (FlowchartItem | FolderItem)[] = [] +): FolderItem { + return { + id: folder.id, + name: folder.name, + createdAt: new Date(folder.created_at || Date.now()), + updatedAt: new Date(folder.updated_at || Date.now()), + type: "folder", + items, + parent_id: folder.parent_id, + user_id: folder.user_id, + }; +} + +export type ChartItem = FlowchartItem | FolderItem; + +export type SortOption = "name" | "createdAt" | "updatedAt"; +export type SortDirection = "asc" | "desc"; + +export interface SortConfig { + sortBy: SortOption; + direction: SortDirection; +} diff --git a/app/src/lib/folderQueries.ts b/app/src/lib/folderQueries.ts new file mode 100644 index 000000000..4985c318e --- /dev/null +++ b/app/src/lib/folderQueries.ts @@ -0,0 +1,539 @@ +import { PostgrestError } from "@supabase/supabase-js"; +import { useQuery, useMutation } from "react-query"; +import { queryClient } from "./queries"; +import { supabase } from "./supabaseClient"; +import { Tables } from "../types/database.types"; +import { + FlowchartItem, + FolderItem, + ChartItem, + mapToFlowchartItem, + mapToFolderItem, +} from "../components/charts/types"; + +/** + * Fetch items (charts and folders) at a specific folder level + * If parentId is null, fetch root-level items + */ +async function fetchItemsByParentId( + parentId: string | null = null +): Promise { + if (!supabase) throw new Error("No supabase client"); + + // Fetch folders + const folderQuery = supabase.from("folders").select("*"); + + // Handle null parent_id properly + if (parentId === null) { + folderQuery.is("parent_id", null); + } else { + folderQuery.eq("parent_id", parentId); + } + + const { data: folders, error: foldersError } = await folderQuery; + + if (foldersError) throw foldersError; + + // Fetch charts + const chartQuery = supabase.from("user_charts").select("*"); + + // Handle null folder_id properly + if (parentId === null) { + chartQuery.is("folder_id", null); + } else { + chartQuery.eq("folder_id", parentId); + } + + const { data: charts, error: chartsError } = await chartQuery; + + if (chartsError) throw chartsError; + + // Transform data to our frontend format + const transformedFolders = folders.map((folder) => mapToFolderItem(folder)); + const transformedCharts = charts.map((chart) => mapToFlowchartItem(chart)); + + // Combine charts and folders + return [...transformedFolders, ...transformedCharts]; +} + +/** + * React Query hook to fetch items in a folder + */ +export function useItemsByParentId(parentId: string | null = null) { + return useQuery( + ["items", "byParentId", parentId], + () => fetchItemsByParentId(parentId), + { + staleTime: 0, + refetchOnMount: true, + } + ); +} + +/** + * Create a new folder + */ +async function createFolder(params: { + name: string; + parent_id: string | null; + user_id: string; +}): Promise { + if (!supabase) throw new Error("No supabase client"); + + const { data, error } = await supabase + .from("folders") + .insert({ + name: params.name, + parent_id: params.parent_id, + user_id: params.user_id, + }) + .select() + .single(); + + if (error) throw error; + + return mapToFolderItem(data); +} + +/** + * React Query mutation for creating folders + */ +export function useCreateFolder() { + return useMutation(createFolder, { + onSuccess: (result, variables) => { + // Invalidate queries for the parent folder + queryClient.invalidateQueries([ + "items", + "byParentId", + variables.parent_id, + ]); + }, + }); +} + +/** + * Rename a folder + */ +async function renameFolder(params: { + id: string; + name: string; +}): Promise { + if (!supabase) throw new Error("No supabase client"); + + const { data, error } = await supabase + .from("folders") + .update({ name: params.name }) + .eq("id", params.id) + .select() + .single(); + + if (error) throw error; + + return mapToFolderItem(data); +} + +/** + * React Query mutation for renaming folders + */ +export function useRenameFolder() { + return useMutation(renameFolder, { + onSuccess: () => { + // Invalidate queries that might include this folder + queryClient.invalidateQueries(["items", "byParentId"]); + }, + }); +} + +/** + * Rename a chart + */ +async function renameChart(params: { + id: string; + name: string; +}): Promise { + if (!supabase) throw new Error("No supabase client"); + + const { data, error } = await supabase + .from("user_charts") + .update({ name: params.name }) + .eq("id", parseInt(params.id, 10)) + .select() + .single(); + + if (error) throw error; + + // Also invalidate the chart's own query if it exists + queryClient.invalidateQueries(["useHostedDoc", params.id]); + + return mapToFlowchartItem(data); +} + +/** + * React Query mutation for renaming charts + */ +export function useRenameChart() { + return useMutation(renameChart, { + onSuccess: () => { + // Invalidate queries that might include this chart + queryClient.invalidateQueries(["items", "byParentId"]); + }, + }); +} + +/** + * Delete a folder + */ +async function deleteFolder(params: { id: string }): Promise { + if (!supabase) throw new Error("No supabase client"); + + // First get the folder to find its parent_id for cache invalidation + const { data: folder, error: fetchError } = await supabase + .from("folders") + .select("parent_id") + .eq("id", params.id) + .single(); + + if (fetchError) throw fetchError; + + // Delete the folder + const { error } = await supabase.from("folders").delete().eq("id", params.id); + + if (error) throw error; + + // Return the parent_id for cache invalidation + return folder.parent_id; +} + +/** + * React Query mutation for deleting folders + */ +export function useDeleteFolder() { + return useMutation(deleteFolder, { + onSuccess: (parentId) => { + // Invalidate the parent folder's queries + queryClient.invalidateQueries(["items", "byParentId", parentId]); + // Also invalidate the folder itself in case it was open + queryClient.invalidateQueries(["items", "byParentId"]); + }, + }); +} + +/** + * Delete a chart + */ +async function deleteChart(params: { + id: string; +}): Promise<{ folder_id: string | null }> { + if (!supabase) throw new Error("No supabase client"); + + // First get the chart to find its folder_id for cache invalidation + const { data: chart, error: fetchError } = await supabase + .from("user_charts") + .select("folder_id") + .eq("id", parseInt(params.id, 10)) + .single(); + + if (fetchError) throw fetchError; + + // Delete the chart + const { error } = await supabase + .from("user_charts") + .delete() + .eq("id", parseInt(params.id, 10)); + + if (error) throw error; + + // Return the folder_id for cache invalidation + return { folder_id: chart.folder_id }; +} + +/** + * React Query mutation for deleting charts + */ +export function useDeleteChart() { + return useMutation(deleteChart, { + onSuccess: (result, variables) => { + // Invalidate the parent folder's queries + queryClient.invalidateQueries(["items", "byParentId", result.folder_id]); + + // Also invalidate the chart's own query if it exists + queryClient.invalidateQueries(["useHostedDoc", variables.id]); + + // Remove the chart from the cache + queryClient.removeQueries(["useHostedDoc", variables.id]); + }, + }); +} + +/** + * Move a folder to a new parent + */ +async function moveFolder(params: { + id: string; + newParentId: string | null; +}): Promise<{ oldParentId: string | null; newParentId: string | null }> { + if (!supabase) throw new Error("No supabase client"); + + // First get the folder to find its current parent_id + const { data: folder, error: fetchError } = await supabase + .from("folders") + .select("parent_id") + .eq("id", params.id) + .single(); + + if (fetchError) throw fetchError; + + const oldParentId = folder.parent_id; + + // Update the folder + const { error } = await supabase + .from("folders") + .update({ parent_id: params.newParentId }) + .eq("id", params.id); + + if (error) throw error; + + return { oldParentId, newParentId: params.newParentId }; +} + +/** + * React Query mutation for moving folders + */ +export function useMoveFolder() { + return useMutation(moveFolder, { + onSuccess: (result) => { + // Invalidate queries for both the old and new parent folders + queryClient.invalidateQueries([ + "items", + "byParentId", + result.oldParentId, + ]); + queryClient.invalidateQueries([ + "items", + "byParentId", + result.newParentId, + ]); + }, + }); +} + +/** + * Move a chart to a new folder + */ +async function moveChart(params: { + id: string; + newFolderId: string | null; +}): Promise<{ oldFolderId: string | null; newFolderId: string | null }> { + if (!supabase) throw new Error("No supabase client"); + + // First get the chart to find its current folder_id + const { data: chart, error: fetchError } = await supabase + .from("user_charts") + .select("folder_id") + .eq("id", parseInt(params.id, 10)) + .single(); + + if (fetchError) throw fetchError; + + const oldFolderId = chart.folder_id; + + // Update the chart + const { error } = await supabase + .from("user_charts") + .update({ folder_id: params.newFolderId }) + .eq("id", parseInt(params.id, 10)); + + if (error) throw error; + + return { oldFolderId, newFolderId: params.newFolderId }; +} + +/** + * React Query mutation for moving charts + */ +export function useMoveChart() { + return useMutation(moveChart, { + onSuccess: (result) => { + // Invalidate queries for both the old and new parent folders + queryClient.invalidateQueries([ + "items", + "byParentId", + result.oldFolderId, + ]); + queryClient.invalidateQueries([ + "items", + "byParentId", + result.newFolderId, + ]); + }, + }); +} + +/** + * Clone/copy a chart + */ +async function cloneChart(params: { + id: string; + newName: string; + userId: string; +}): Promise { + if (!supabase) throw new Error("No supabase client"); + + // Get the source chart + const { data: sourceChart, error: fetchError } = await supabase + .from("user_charts") + .select("*") + .eq("id", parseInt(params.id, 10)) + .single(); + + if (fetchError) throw fetchError; + + // Create the new chart + const { data, error } = await supabase + .from("user_charts") + .insert({ + name: params.newName, + chart: sourceChart.chart, + folder_id: sourceChart.folder_id, + user_id: params.userId, + is_public: false, // Default to private for cloned charts + }) + .select() + .single(); + + if (error) throw error; + + return mapToFlowchartItem(data); +} + +/** + * React Query mutation for cloning charts + */ +export function useCloneChart() { + return useMutation(cloneChart, { + onSuccess: (result) => { + // Invalidate queries for the parent folder + queryClient.invalidateQueries(["items", "byParentId", result.folder_id]); + }, + }); +} + +/** + * Toggle public status of a chart + */ +async function toggleChartPublic(params: { + id: string; + isPublic: boolean; +}): Promise<{ isPublic: boolean; publicId: string | null }> { + if (!supabase) throw new Error("No supabase client"); + + const { data, error } = await supabase + .from("user_charts") + .select("is_public,public_id") + .eq("id", parseInt(params.id, 10)); + + if (error) throw error; + if (!data || data.length === 0) throw new Error("Invalid Chart"); + + const { is_public, public_id } = data[0]; + if (is_public === params.isPublic) + return { isPublic: is_public, publicId: public_id }; + + const r = { + isPublic: params.isPublic, + publicId: public_id, + }; + + // Generate public id if not already set + if (!public_id && params.isPublic) { + let error: PostgrestError | null = { + code: "23505", + message: "Duplicate key value violates unique constraint", + details: "", + hint: "", + name: "PostgrestError", + }; + // If unique violation, generate a new public id + let result; + let publicId = ""; + while (error?.code === "23505") { + publicId = await generatePublicId(); + result = await supabase + .from("user_charts") + .update({ public_id: publicId, is_public: params.isPublic }) + .eq("id", parseInt(params.id, 10)); + error = result.error; + } + if (error) throw error; + r.publicId = publicId; + } else { + // Just update is_public + const result = await supabase + .from("user_charts") + .update({ is_public: params.isPublic }) + .eq("id", parseInt(params.id, 10)); + if (result.error) throw result.error; + } + + return r; +} + +/** + * Generate a public ID for sharing + */ +async function generatePublicId(): Promise { + const response = await fetch("/api/generate-public-id", { + mode: "cors", + credentials: "same-origin", + headers: { "Content-Type": "application/json" }, + }); + return response.json(); +} + +/** + * React Query mutation for toggling chart public status + */ +export function useToggleChartPublic() { + return useMutation(toggleChartPublic); +} + +/** + * Get breadcrumb path for a folder + */ +async function getFolderPath(folderId: string): Promise { + if (!supabase) throw new Error("No supabase client"); + if (!folderId) return []; + + const path: FolderItem[] = []; + let currentId: string | null = folderId; + + while (currentId) { + const { data, error } = await supabase + .from("folders") + .select("*") + .eq("id", currentId) + .single(); + + if (error) throw error; + if (!data) break; + + const folder = data as Tables<"folders">; + path.unshift(mapToFolderItem(folder)); + currentId = folder.parent_id; + } + + return path; +} + +/** + * React Query hook for getting a folder's breadcrumb path + */ +export function useFolderPath(folderId: string | null) { + return useQuery( + ["folder", "path", folderId], + () => (folderId ? getFolderPath(folderId) : []), + { + enabled: !!folderId, + } + ); +} diff --git a/app/src/lib/formatDate.ts b/app/src/lib/formatDate.ts new file mode 100644 index 000000000..65fe4bfdd --- /dev/null +++ b/app/src/lib/formatDate.ts @@ -0,0 +1,52 @@ +/** + * Formats a date into a readable format + * If the date is today, returns "Today at HH:MM AM/PM" + * If the date is yesterday, returns "Yesterday at HH:MM AM/PM" + * Otherwise returns "MMM DD, YYYY at HH:MM AM/PM" + */ +export function formatDate(date: Date): string { + const now = new Date(); + const today = new Date(now.getFullYear(), now.getMonth(), now.getDate()); + const yesterday = new Date(today); + yesterday.setDate(yesterday.getDate() - 1); + + // Format time + const hours = date.getHours(); + const minutes = date.getMinutes(); + const ampm = hours >= 12 ? "PM" : "AM"; + const formattedHours = hours % 12 || 12; + const formattedMinutes = minutes < 10 ? `0${minutes}` : minutes; + const timeStr = `${formattedHours}:${formattedMinutes} ${ampm}`; + + // Check if today + if (date >= today) { + return `Today at ${timeStr}`; + } + + // Check if yesterday + if (date >= yesterday) { + return `Yesterday at ${timeStr}`; + } + + // Otherwise, full date + const months = [ + "Jan", + "Feb", + "Mar", + "Apr", + "May", + "Jun", + "Jul", + "Aug", + "Sep", + "Oct", + "Nov", + "Dec", + ]; + + const month = months[date.getMonth()]; + const day = date.getDate(); + const year = date.getFullYear(); + + return `${month} ${day}, ${year} at ${timeStr}`; +} diff --git a/app/src/lib/mockChartData.ts b/app/src/lib/mockChartData.ts new file mode 100644 index 000000000..bd3386bfc --- /dev/null +++ b/app/src/lib/mockChartData.ts @@ -0,0 +1,156 @@ +import { + ChartItem, + FlowchartItem, + FolderItem, +} from "../components/charts/types"; + +// Generate a random date between a start and end date +const randomDate = (start: Date, end: Date): Date => { + return new Date( + start.getTime() + Math.random() * (end.getTime() - start.getTime()) + ); +}; + +// Generate a random string of a given length +const randomString = (length: number): string => { + const characters = "abcdefghijklmnopqrstuvwxyz0123456789"; + let result = ""; + for (let i = 0; i < length; i++) { + result += characters.charAt(Math.floor(Math.random() * characters.length)); + } + return result; +}; + +// Generate a random flowchart +const generateFlowchart = (id?: string): FlowchartItem => { + const now = new Date(); + const sixMonthsAgo = new Date(); + sixMonthsAgo.setMonth(sixMonthsAgo.getMonth() - 6); + + const created = randomDate(sixMonthsAgo, now); + const updated = randomDate(created, now); + + return { + id: id || randomString(10), + name: `Flowchart ${Math.floor(Math.random() * 100)}`, + createdAt: created, + updatedAt: updated, + type: "chart", + content: `This is a sample flowchart content`, + is_public: false, + public_id: null, + folder_id: null, + user_id: "mock-user-id", + }; +}; + +// Generate a folder with random flowcharts +const generateFolder = (depth = 0, id?: string): FolderItem => { + const now = new Date(); + const sixMonthsAgo = new Date(); + sixMonthsAgo.setMonth(sixMonthsAgo.getMonth() - 6); + + const created = randomDate(sixMonthsAgo, now); + const updated = randomDate(created, now); + + const numItems = Math.floor(Math.random() * 5) + 1; + const items: ChartItem[] = []; + + for (let i = 0; i < numItems; i++) { + if (depth < 2 && Math.random() > 0.7) { + // Add a subfolder + items.push(generateFolder(depth + 1)); + } else { + // Add a flowchart + items.push(generateFlowchart()); + } + } + + return { + id: id || randomString(10), + name: `Folder ${Math.floor(Math.random() * 100)}`, + createdAt: created, + updatedAt: updated, + type: "folder", + items, + parent_id: null, + user_id: "mock-user-id", + }; +}; + +// Generate a list of random charts and folders +export const generateMockChartData = (count = 15): ChartItem[] => { + const items: ChartItem[] = []; + + for (let i = 0; i < count; i++) { + if (Math.random() > 0.7) { + // Add a folder + items.push(generateFolder()); + } else { + // Add a flowchart + items.push(generateFlowchart()); + } + } + + return items; +}; + +// Sort chart items based on sort config +export const sortChartItems = ( + items: ChartItem[], + sortBy: string, + direction: "asc" | "desc" +): ChartItem[] => { + const sorted = [...items].sort((a, b) => { + if (sortBy === "name") { + return a.name.localeCompare(b.name); + } else if (sortBy === "createdAt") { + return a.createdAt.getTime() - b.createdAt.getTime(); + } else { + // updatedAt + return a.updatedAt.getTime() - b.updatedAt.getTime(); + } + }); + + // Folders are always listed before charts + const folders = sorted.filter((item) => item.type === "folder"); + const charts = sorted.filter((item) => item.type === "chart"); + + if (direction === "desc") { + return [...folders.reverse(), ...charts.reverse()]; + } + + return [...folders, ...charts]; +}; + +// Filter chart items based on search query +export const filterChartItems = ( + items: ChartItem[], + query: string +): ChartItem[] => { + if (!query.trim()) return items; + + const searchTerm = query.toLowerCase(); + + return items.filter((item) => { + // Check item name + if (item.name.toLowerCase().includes(searchTerm)) { + return true; + } + + // For folders, recursively check children + if (item.type === "folder") { + const filteredItems = filterChartItems((item as FolderItem).items, query); + + if (filteredItems.length > 0) { + // Create a new folder with just the matching items + return { + ...item, + items: filteredItems, + }; + } + } + + return false; + }); +}; diff --git a/app/src/locales/de/messages.js b/app/src/locales/de/messages.js index cae534f1a..3154ce4c7 100644 --- a/app/src/locales/de/messages.js +++ b/app/src/locales/de/messages.js @@ -1,5 +1,5 @@ /*eslint-disable*/ module.exports = { messages: JSON.parse( - '{"1 Temporary Flowchart":"1 Vorläufiger Flussdiagramm","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>Nur benutzerdefiniertes CSS ist aktiviert. Nur die Layout- und Erweiterten Einstellungen werden angewandt.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun ist ein Open-Source-Projekt von <1>Tone\xA0Row","<0>Sign In / <1>Sign Up with email and password":"<0>Anmelden / <1>Registrieren mit E-Mail und Passwort","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>Sie haben derzeit ein kostenloses Konto.<1/><2>Erfahren Sie mehr über unsere Pro-Funktionen und abonnieren Sie unsere Preisseite.","A new version of the app is available. Please reload to update.":"Eine neue Version der App ist verfügbar. Bitte neu laden, um zu aktualisieren.","AI Creation & Editing":"KI-Erstellung & Bearbeitung","AI-Powered Flowchart Creation":"KI-unterstützte Erstellung von Flussdiagrammen","AI-powered editing to supercharge your workflow":"KI-unterstützte Bearbeitung zur Beschleunigung Ihres Arbeitsablaufs","About":"Über","Account":"Konto","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"Fügen Sie einen Backslash (<0>\\\\) vor jedem Sonderzeichen ein: <1>(, <2>:, <3>#, oder <4>.`","Add some steps":"Füge einige Schritte hinzu","Advanced":"Fortgeschritten","Align Horizontally":"Horizontal ausrichten","Align Nodes":"Ausrichten von Knoten","Align Vertically":"Vertikal ausrichten","All this for just $4/month - less than your daily coffee ☕":"All dies für nur $4/Monat - weniger als Ihr täglicher Kaffee ☕","Amount":"Betrag","An error occurred. Try resubmitting or email {0} directly.":["Es ist ein Fehler aufgetreten. Versuchen Sie, es erneut einzureichen oder senden Sie eine E-Mail direkt an ",["0"],"."],"Appearance":"Erscheinungsbild","Are my flowcharts private?":"Sind meine Flussdiagramme privat?","Are there usage limits?":"Gibt es Nutzungsbeschränkungen?","Are you sure?":"Bist du sicher?","Arrow Size":"Größe des Pfeils","Attributes":"Attribute","August 2023":"August 2023","Back":"Zurück","Back To Editor":"Zurück zum Editor","Background Color":"Hintergrundfarbe","Basic Flowchart":"Grundlegender Flussdiagramm","Become a Github Sponsor":"Werden Sie ein Github-Sponsor","Become a Pro User":"Werden Sie ein Pro-Benutzer","Begin your journey":"Beginne deine Reise","Billed annually at $24":"Jährlich abgerechnet für $24","Billed monthly at $4":"Monatlich für $4 berechnet","Blog":"Blog","Book a Meeting":"Ein Treffen buchen","Border Color":"Rahmenfarbe","Border Width":"Rahmenbreite","Bottom to Top":"Von unten nach oben","Breadthfirst":"In die Breite","Build your personal flowchart library":"Erstellen Sie Ihre persönliche Flussdiagramm-Bibliothek","Cancel":"Abbrechen","Cancel anytime":"Jederzeit kündbar","Cancel your subscription. Your hosted charts will become read-only.":"Kündigen Sie Ihr Abonnement. Ihre gehosteten Diagramme werden schreibgeschützt.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"Stornieren ist einfach. Gehe einfach auf deine Kontoseite, scrolle nach unten und klicke auf Stornieren. Wenn du nicht vollständig zufrieden bist, bieten wir eine Rückerstattung für deine erste Zahlung an.","Certain attributes can be used to customize the appearance or functionality of elements.":"Bestimmte Attribute können verwendet werden, um das Aussehen oder die Funktionalität von Elementen anzupassen.","Change Email Address":"E-Mail Adresse ändern","Changelog":"Änderungsprotokoll","Charts":"Diagramme","Check out the guide:":"Schau dir die Anleitung an:","Check your email for a link to log in.<0/>You can close this window.":"Überprüfen Sie Ihre E-Mail auf einen Link zum Einloggen. Sie können dieses Fenster schließen.","Choose":"Wählen","Choose Template":"Vorlage auswählen","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"Wählen Sie aus einer Vielzahl von Pfeilformen für die Quelle und das Ziel einer Kante aus. Formen beinhalten Dreieck, Dreieck-Tee, Kreis-Dreieck, Dreieck-Kreuz, Dreieck-Rückbiegung, Vee, Tee, Quadrat, Kreis, Diamant, Chevron und keine.","Choose how edges connect between nodes":"Wählen Sie, wie Kanten zwischen Knoten verbunden werden","Choose how nodes are automatically arranged in your flowchart":"Wählen Sie aus, wie Knoten automatisch in Ihrem Flussdiagramm angeordnet werden","Circle":"Kreis","Classes":"Klassen","Clear":"Löschen","Clear text?":"Text löschen?","Clone":"Klon","Close":"Schließen","Color":"Farbe","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"Farben beinhalten Rot, Orange, Gelb, Blau, Violett, Schwarz, Weiß und Grau.","Column":"Spalte","Comment":"Kommentar","Compare our plans and find the perfect fit for your flowcharting needs":"Vergleichen Sie unsere Pläne und finden Sie die perfekte Lösung für Ihre Flussdiagramm-Bedürfnisse","Concentric":"Konzentrisch","Confirm New Email":"Neue E-Mail bestätigen","Confirm your email address to sign in.":"Bestätigen Sie Ihre E-Mail-Adresse, um sich anzumelden.","Connect your Data":"Verbinden Sie Ihre Daten","Containers":"Behälter","Containers are nodes that contain other nodes. They are declared using curly braces.":"Container sind Knoten, die andere Knoten enthalten. Sie werden mit geschweiften Klammern deklariert.","Continue":"Weiter","Continue in Sandbox (Resets daily, work not saved)":"Weiter im Sandbox-Modus (wird täglich zurückgesetzt, Arbeit wird nicht gespeichert)","Controls the flow direction of hierarchical layouts":"Steuert die Flussrichtung von hierarchischen Layouts","Convert":"Umwandeln","Convert to Flowchart":"In Flussdiagramm konvertieren","Convert to hosted chart?":"In gehostetes Diagramm konvertieren?","Cookie Policy":"Cookie-Richtlinie","Copied SVG code to clipboard":"SVG-Code in Zwischenablage kopiert","Copied {format} to clipboard":[["Format"]," in Zwischenablage kopiert"],"Copy":"Kopieren","Copy PNG Image":"PNG-Bild kopieren","Copy SVG Code":"Kopieren Sie den SVG-Code","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Kopiere deinen Excalidraw-Code und füge ihn in <0>excalidraw.com ein, um ihn zu bearbeiten. Diese Funktion ist experimentell und funktioniert möglicherweise nicht mit allen Diagrammen. Wenn du einen Fehler findest, <1>lass es uns wissen.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"Kopieren Sie Ihren mermaid.js-Code oder öffnen Sie ihn direkt im mermaid.js Live-Editor.","Create":"Erstellen","Create Flowcharts using AI":"Erstellen Sie Flussdiagramme mit KI","Create Unlimited Flowcharts":"Erstellen Sie unbegrenzte Flussdiagramme","Create a New Chart":"Nein Diagramm erstellen","Create a flowchart showing the steps of planning and executing a school fundraising event":"Erstelle einen Flussdiagramm, das die Schritte zur Planung und Durchführung eines Schul-Fundraising-Events zeigt","Create flowcharts instantly: Type or paste text, see it visualized.":"Erstellen Sie sofort Flussdiagramme: Tippen oder fügen Sie Text ein, sehen Sie ihn visualisiert.","Create unlimited diagrams for just $4/month!":"Erstellen Sie unbegrenzt Diagramme für nur $4/Monat!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"Erstellen Sie unbegrenzte Flussdiagramme, die in der Cloud gespeichert sind und überall zugänglich sind!","Create with AI":"Erstellen mit KI","Creating an edge between two nodes is done by indenting the second node below the first":"Eine Kante zwischen zwei Knoten wird erstellt, indem der zweite Knoten unter dem ersten eingerückt wird","Curve Style":"Kurvenstil","Custom CSS":"Benutzerdefiniertes CSS","Custom Sharing Options":"Benutzerdefinierte Freigabeoptionen","Customer Portal":"Kundenportal","Daily Sandbox Editor":"Täglicher Sandbox-Editor","Dark":"Dunkel","Dark Mode":"Dunkelmodus","Data Import (Visio, Lucidchart, CSV)":"Datenimport (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"Datenimportfunktion für komplexe Diagramme","Date":"Datum","Design a software development lifecycle flowchart for an agile team":"Entwerfe einen Software-Entwicklungs-Lebenszyklus-Flussdiagramm für ein agiles Team","Develop a decision tree for a CEO to evaluate potential new market opportunities":"Entwickle einen Entscheidungsbaum für einen CEO, um potenzielle neue Marktmöglichkeiten zu bewerten.","Direction":"Richtung","Dismiss":"Entlassen","Do you have a free trial?":"Bietest du eine kostenlose Testversion an?","Do you offer a non-profit discount?":"Bietest du einen Non-Profit-Rabatt an?","Do you want to delete this?":"Möchten Sie dies löschen?","Document":"Document","Don\'t Lose Your Work":"Verliere deine Arbeit nicht","Download":"Herunterladen","Download JPG":"JPG herunterladen","Download PNG":"PNG herunterladen","Download SVG":"SVG herunterladen","Drag and drop a CSV file here, or click to select a file":"Ziehen Sie eine CSV-Datei hierher oder klicken Sie, um eine Datei auszuwählen","Draw an edge from multiple nodes by beginning the line with a reference":"Zeichnen Sie eine Kante von mehreren Knoten, indem Sie die Zeile mit einer Referenz beginnen.","Drop the file here ...":"Datei hier ablegen ...","Each line becomes a node":"Jede Zeile wird zu einem Knoten","Edge ID, Classes, Attributes":"Kante-ID, Klassen, Attribute","Edge Label":"Kantenbeschriftung","Edge Label Column":"Spalte mit Kantenbeschriftung","Edge Style":"Kantenstil","Edge Text Size":"Kanten Textgröße","Edge missing indentation":"Kante fehlende Einrückung","Edges":"Kanten","Edges are declared in the same row as their source node":"Kanten werden in der gleichen Zeile wie ihr Quellknoten deklariert","Edges are declared in the same row as their target node":"Kanten werden in der gleichen Zeile wie ihr Zielknoten deklariert","Edges are declared in their own row":"Kanten werden in ihrer eigenen Zeile deklariert","Edges can also have ID\'s, classes, and attributes before the label":"Kanten können auch ID\'s, Klassen und Attribute vor der Bezeichnung haben","Edges can be styled with dashed, dotted, or solid lines":"Kanten können mit gestrichelten, punktierten oder soliden Linien gestaltet werden","Edges in Separate Rows":"Kanten in separaten Zeilen","Edges in Source Node Row":"Kanten in Quellknotenzeile","Edges in Target Node Row":"Kanten in Zielknotenzeile","Edit":"Bearbeiten","Edit with AI":"Mit KI bearbeiten","Editable":"Editierbar","Editor":"Editor","Email":"E-Mail","Empty":"Leer","Enable to set a consistent height for all nodes":"Aktivieren Sie die Einstellung einer einheitlichen Höhe für alle Knoten","Enter your email address and we\'ll send you a magic link to sign in.":"Geben Sie Ihre E-Mail-Adresse ein, und wir senden Ihnen einen magischen Link, um sich anzumelden.","Enter your email address below and we\'ll send you a link to reset your password.":"Geben Sie unten Ihre E-Mail-Adresse ein, und wir senden Ihnen einen Link, um Ihr Passwort zurückzusetzen.","Equal To":"Gleich","Everything you need to know about Flowchart Fun Pro":"Alles, was du über Flowchart Fun Pro wissen musst","Examples":"Beispiele","Excalidraw":"Excalidraw","Exclusive Office Hours":"Exklusive Bürozeiten","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"Erleben Sie die Effizienz und Sicherheit des direkten Ladens lokaler Dateien in Ihre Flussdiagramme, ideal für die Verwaltung von Arbeitsdokumenten offline. Entsperren Sie diese exklusive Pro-Funktion und mehr mit Flowchart Fun Pro, erhältlich für nur $4/Monat.","Explore more":"Erkunde mehr","Export":"Exportieren","Export clean diagrams without branding":"Exportieren Sie saubere Diagramme ohne Branding","Export to PNG & JPG":"Exportieren Sie nach PNG & JPG","Export to PNG, JPG, and SVG":"Exportieren Sie nach PNG, JPG und SVG","Feature Breakdown":"Funktionsübersicht","Feedback":"Feedback","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"Fühlen Sie sich frei, zu erkunden und uns über die <0>Feedback-Seite zu kontaktieren, sollten Sie irgendwelche Bedenken haben.","Fine-tune layouts and visual styles":"Feinabstimmung von Layouts und visuellen Stilen","Fixed Height":"Feste Höhe","Fixed Node Height":"Fester Knotenhöhe","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Mit Flowchart Fun Pro erhalten Sie unbegrenzte Flussdiagramme, unbegrenzte Mitarbeiter und unbegrenzten Speicherplatz für nur $4/Monat.","Follow Us on Twitter":"Folgen Sie uns auf Twitter","Font Family":"Schriftfamilie","Forgot your password?":"Haben Sie Ihr Passwort vergessen?","Found a bug? Have a feature request? We would love to hear from you!":"Einen Fehler gefunden? Eine Funktionsanfrage? Wir würden uns freuen von Ihnen zu hören!","Free":"Kostenlos","Frequently Asked Questions":"Häufig gestellte Fragen","Full-screen, read-only, and template sharing":"Vollbild, Nur-Lesen und Vorlagenfreigabe","Fullscreen":"Vollbild","General":"Allgemein","Generate flowcharts from text automatically":"Generieren Sie automatisch Flussdiagramme aus Texten","Get Pro Access Now":"Erhalten Sie jetzt Pro-Zugang","Get Unlimited AI Requests":"Erhalten Sie unbegrenzte KI-Anfragen","Get rapid responses to your questions":"Erhalten Sie schnelle Antworten auf Ihre Fragen","Get unlimited flowcharts and premium features":"Erhalten Sie unbegrenzte Flussdiagramme und Premium-Funktionen","Go back home":"Geh zurück nach Hause","Go to the Editor":"Gehe zum Editor","Go to your Sandbox":"Gehe zu deinem Sandkasten","Graph":"Diagramm","Green?":"Grün?","Grid":"Raster","Have complex questions or issues? We\'re here to help.":"Haben Sie komplexe Fragen oder Probleme? Wir sind hier, um zu helfen.","Here are some Pro features you can now enjoy.":"Hier sind einige Pro-Funktionen, die Sie jetzt genießen können.","High-quality exports with embedded fonts":"Hochwertige Exporte mit eingebetteten Schriftarten","History":"Verlauf","Home":"Startseite","How are edges declared in this data?":"Wie werden Kanten in diesen Daten deklariert?","How do I cancel my subscription?":"Wie kann ich mein Abonnement kündigen?","How does AI flowchart generation work?":"Wie funktioniert die Erstellung von KI-Flussdiagrammen?","How would you like to save your chart?":"Wie möchten Sie Ihren Chart speichern?","I would like to request a new template:":"Ich möchte gerne eine neue Vorlage anfordern:","ID\'s":"IDs","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"Wenn ein Konto mit dieser E-Mail vorhanden ist, haben wir Ihnen eine E-Mail mit Anweisungen zum Zurücksetzen Ihres Passworts gesendet.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"Wenn Sie <0>Flowchart Fun gerne verwenden, überlegen Sie bitte, das Projekt zu unterstützen.","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"Wenn Sie eine Kante erstellen möchten, rücken Sie diese Zeile ein. Wenn nicht, entkomme dem Doppelpunkt mit einem Backslash <0>\\\\:","Images":"Bilder","Import Data":"Daten importieren","Import data from a CSV file.":"Daten aus einer CSV-Datei importieren.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"Daten aus jeder CSV-Datei importieren und auf einem neuen Flussdiagramm abbilden. Dies ist eine großartige Möglichkeit, Daten aus anderen Quellen wie Lucidchart, Google Sheets und Visio zu importieren.","Import from CSV":"Importieren Sie aus CSV","Import from Visio, Lucidchart, and CSV":"Importieren Sie von Visio, Lucidchart und CSV","Import from popular diagram tools":"Importieren Sie aus beliebten Diagramm-Tools","Import your diagram it into Microsoft Visio using one of these CSV files.":"Importieren Sie Ihr Diagramm mithilfe einer dieser CSV-Dateien in Microsoft Visio.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"Der Import von Daten ist eine Pro-Funktion. Sie können auf Flowchart Fun Pro für nur $4/Monat upgraden.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"Fügen Sie einen Titel mit einem <0>title-Attribut ein. Um die Visio-Farbgebung zu verwenden, fügen Sie ein <1>roleType-Attribut gleich einem der folgenden hinzu:","Indent to connect nodes":"Rücke ein, um Knoten zu verbinden","Info":"Info","Is":"Ist","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON Canvas ist eine JSON-Repräsentation Ihres Diagramms, die von <0>Obsidian Canvas und anderen Anwendungen verwendet wird.","Join 2000+ professionals who\'ve upgraded their workflow":"Werden Sie Teil von über 2000 Fachleuten, die ihren Arbeitsablauf verbessert haben","Join thousands of happy users who love Flowchart Fun":"Werde Teil von Tausenden zufriedenen Nutzern, die Flowchart Fun lieben","Keep Things Private":"Halte Dinge privat","Keep changes?":"Änderungen speichern?","Keep practicing":"Übe weiter","Keep your data private on your computer":"Halten Sie Ihre Daten privat auf Ihrem Computer","Language":"Sprache","Layout":"Layout","Layout Algorithm":"Layout-Algorithmus","Layout Frozen":"Layout eingefroren","Leading References":"Führende Referenzen","Learn More":"Mehr erfahren","Learn Syntax":"Syntax lernen","Learn about Flowchart Fun Pro":"Erfahren Sie mehr über Flowchart Fun Pro","Left to Right":"Von links nach rechts","Let us know why you\'re canceling. We\'re always looking to improve.":"Lassen Sie uns wissen, warum Sie stornieren. Wir sind immer auf der Suche nach Verbesserungen.","Light":"Hell","Light Mode":"Heller Modus","Link":"Link","Link back":"Verlinke zurück","Load":"Laden","Load Chart":"Chart laden","Load File":"Datei laden","Load Files":"Dateien laden","Load default content":"Standardinhalt laden","Load from link?":"Von Link laden?","Load layout and styles":"Layout und Stile laden","Local File Support":"Lokale Dateiunterstützung","Local saving for offline access":"Lokales Speichern für den Offline-Zugriff","Lock Zoom to Graph":"Zoom an Graph anpassen","Log In":"Anmelden","Log Out":"Abmelden","Log in to Save":"Einloggen, um zu speichern","Log in to upgrade your account":"Melde dich an, um dein Konto zu aktualisieren","Make a One-Time Donation":"Machen Sie eine einmalige Spende","Make publicly accessible":"Öffentlich zugänglich machen","Manage Billing":"Abrechnung verwalten","Map Data":"Daten abbilden","Maximum width of text inside nodes":"Maximale Breite des Textes innerhalb der Knoten","Monthly":"Monatlich","Multiple pointers on same line":"Mehrere Zeiger auf derselben Zeile","My dog ate my credit card!":"Mein Hund hat meine Kreditkarte gefressen!","Name Chart":"Diagramm benennen","Name your chart":"Benennen Sie Ihren Chart","New":"Neues","New Email":"Neue e-mail","Next charge":"Nächste Gebühr","No Edges":"Keine Kanten","No Watermarks!":"Keine Wasserzeichen!","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"Nein, es gibt keine Nutzungsbeschränkungen mit dem Pro-Plan. Genießen Sie unbegrenzte Erstellung von Flussdiagrammen und KI-Funktionen, die Ihnen die Freiheit geben, ohne Einschränkungen zu erkunden und zu innovieren.","Node Border Style":"Knotenrahmenstil","Node Colors":"Knotenfarben","Node ID":"Knoten-ID","Node ID, Classes, Attributes":"Knoten-ID, Klassen, Attribute","Node Label":"Knotenbeschriftung","Node Shape":"Knotenform","Node Shapes":"Knotenformen","Nodes":"Knoten","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"Knoten können mit gestrichelt, punktiert oder doppelt gestaltet werden. Grenzen können auch mit border_none entfernt werden.","Not Empty":"Nicht leer","Now you\'re thinking with flowcharts!":"Jetzt denkst du mit Flussdiagrammen!","Office Hours":"Geschäftszeiten","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"legentlich landet der magische Link in Ihrem Spam-Ordner. Wenn Sie ihn nach ein paar Minuten nicht sehen, überprüfen Sie dort oder fordern Sie einen neuen Link an.","One on One Support":"Eins-zu-eins-Unterstützung","One-on-One Support":"One-on-One-Support","Open Customer Portal":"Öffnen Sie das Kundenportal","Operation canceled":"Operation abgebrochen","Or maybe blue!":"Oder vielleicht blau!","Organization Chart":"Organigramm","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"Unsere KI erstellt Diagramme aus Ihren Texteingaben, ermöglicht nahtlose manuelle Bearbeitungen oder KI-unterstützte Anpassungen. Im Gegensatz zu anderen bietet unser Pro-Plan unbegrenzte KI-Generierungen und -Bearbeitungen, damit Sie ohne Grenzen erstellen können.","Padding":"Polsterung","Page not found":"Seite nicht gefunden","Password":"Passwort","Past Due":"Überfällig","Paste a document to convert it":"Füge ein Dokument ein, um es zu konvertieren","Paste your document or outline here to convert it into an organized flowchart.":"Fügen Sie Ihr Dokument oder Ihre Gliederung hier ein, um es in einen organisierten Flussdiagramm umzuwandeln.","Pasted content detected. Convert to Flowchart Fun syntax?":"Eingefügter Inhalt erkannt. In Flowchart Fun-Syntax konvertieren?","Perfect for docs and quick sharing":"Perfekt für Dokumente und schnelles Teilen","Permanent Charts are a Pro Feature":"Permanente Diagramme sind eine Pro-Funktion","Playbook":"Spielbuch","Pointer and container on same line":"Zeiger und Container auf derselben Zeile","Priority One-on-One Support":"Priorisierte Einzelunterstützung","Privacy Policy":"Datenschutzerklärung","Pro tip: Right-click any node to customize its shape and color":"Pro-Tipp: Klicken Sie mit der rechten Maustaste auf einen Knoten, um seine Form und Farbe anzupassen.","Processing Data":"Datenverarbeitung","Processing...":"Verarbeitung...","Prompt":"Aufforderung","Public":"Öffentlich","Quick experimentation space that resets daily":"Schneller Experimentierraum, der täglich zurückgesetzt wird","Random":"Zufällig","Rapid Deployment Templates":"Schnellbereitstellungsvorlagen","Rapid Templates":"Schnelle Vorlagen","Raster Export (PNG, JPG)":"Raster-Export (PNG, JPG)","Rate limit exceeded. Please try again later.":"Die Rate-Limit wurde überschritten. Bitte versuchen Sie es später erneut.","Read-only":"Schreibgeschützt","Reference by Class":"Referenz nach Klasse","Reference by ID":"Referenz nach ID","Reference by Label":"Referenz nach Label","References":"Referenzen","References are used to create edges between nodes that are created elsewhere in the document":"Referenzen werden verwendet, um Kanten zwischen Knoten zu erstellen, die anderswo im Dokument erstellt werden","Referencing a node by its exact label":"Referenzierung eines Knotens durch sein exaktes Label","Referencing a node by its unique ID":"Referenzierung eines Knotens durch seine eindeutige ID","Referencing multiple nodes with the same assigned class":"Mehrere Knoten mit der selben zugewiesenen Klasse referenzieren","Refresh Page":"Seite aktualisieren","Reload to Update":"Neu laden, um zu aktualisieren","Rename":"Umbenennen","Request Magic Link":"Magic-Link anfordern","Request Password Reset":"Passwort zurücksetzen anfordern","Reset":"Zurücksetzen","Reset Password":"Passwort zurücksetzen","Resume Subscription":"Abonnement fortsetzen","Return":"Zurückkehren","Right to Left":"Von rechts nach links","Right-click nodes for options":"Klicke mit der rechten Maustaste auf Knoten für Optionen","Roadmap":"Fahrplan","Rotate Label":"Label drehen","SVG Export is a Pro Feature":"SVG-Export ist eine Pro-Funktion","Satisfaction guaranteed or first payment refunded":"Zufriedenheitsgarantie oder erste Zahlung erstattet","Save":"Speichern","Save time with AI and dictation, making it easy to create diagrams.":"Sparen Sie Zeit mit KI und Diktat, um Diagramme einfach zu erstellen.","Save to Cloud":"In die Cloud speichern","Save to File":"In Datei speichern","Save your Work":"Speichern Sie Ihre Arbeit","Schedule personal consultation sessions":"Persönliche Beratungssitzungen planen","Secure payment":"Sichere Zahlung","See more reviews on Product Hunt":"Schau dir weitere Bewertungen auf Product Hunt an","Set a consistent height for all nodes":"Legen Sie eine einheitliche Höhe für alle Knoten fest","Settings":"Einstellungen","Share":"Teilen","Sign In":"Anmelden","Sign in with <0>GitHub":"Anmelden mit <0>GitHub","Sign in with <0>Google":"Anmelden mit <0>Google","Sorry! This page is only available in English.":"Entschuldigung! Diese Seite ist nur auf Englisch verfügbar.","Sorry, there was an error converting the text to a flowchart. Try again later.":"Entschuldigung, es gab einen Fehler bei der Konvertierung des Textes in einen Flussdiagramm. Versuchen Sie es später erneut.","Source Arrow Shape":"Pfeilform der Quelle","Source Column":"Quellspalte","Source Delimiter":"Quell-Trennzeichen","Source Distance From Node":"Abstand der Quelle vom Knoten","Source/Target Arrow Shape":"Quelle/Ziel-Pfeilform","Spacing":"Abstand","Special Attributes":"Spezielle Attribute","Start":"Start","Start Over":"Von vorne anfangen","Start faster with use-case specific templates":"Schnellerer Einstieg mit anwendungsspezifischen Vorlagen","Status":"Status","Step 1":"Schritt 1","Step 2":"Schritt 2","Step 3":"Schritt 3","Store any data associated to a node":"Speichern Sie alle Daten, die einem Knoten zugeordnet sind","Style Classes":"Stil-Klassen","Style with classes":"Mit Klassen gestalten","Submit":"Einsenden","Subscribe to Pro and flowchart the fun way!":"Abonniere Pro und erstelle Flussdiagramme auf unterhaltsame Weise!","Subscription":"Abonnement","Subscription Successful!":"Abonnement erfolgreich!","Subscription will end":"Abonnement wird beendet","Target Arrow Shape":"Pfeilform des Ziels","Target Column":"Ziel-Spalte","Target Delimiter":"Ziel-Trennzeichen","Target Distance From Node":"Zielabstand vom Knoten ","Text Color":"Textfarbe ","Text Horizontal Offset":"Text Horizontaler Versatz","Text Leading":"Textführung ","Text Max Width":"Text Max Breite","Text Vertical Offset":"Textvertikaler Abstand ","Text followed by colon+space creates an edge with the text as the label":"Text gefolgt von Doppelpunkt + Leerzeichen erstellt eine Kante mit dem Text als Label","Text on a line creates a node with the text as the label":"Text in einer Zeile erstellt einen Knoten mit dem Text als Label","Thank you for your feedback!":"Danke für Ihr Feedback!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"Der beste Weg, um Stile zu ändern, besteht darin, mit der rechten Maustaste auf einen Knoten oder eine Kante zu klicken und den gewünschten Stil auszuwählen.","The column that contains the edge label(s)":"Die Spalte, die die Kantenbeschriftung(en) enthält","The column that contains the source node ID(s)":"Die Spalte, die die Quellknoten-ID(en) enthält","The column that contains the target node ID(s)":"Die Spalte, die die Zielknoten-ID(en) enthält","The delimiter used to separate multiple source nodes":"Der Trennzeichen, das verwendet wird, um mehrere Quellknoten zu trennen","The delimiter used to separate multiple target nodes":"Der Trennzeichen, das verwendet wird, um mehrere Zielknoten zu trennen","The possible shapes are:":"Die möglichen Formen sind:","Theme":"Thema ","Theme Customization Editor":"Theme-Anpassungseditor","Theme Editor":"Themen-Editor","There are no edges in this data":"Es gibt keine Kanten in diesen Daten","This action cannot be undone.":"Diese Aktion kann nicht rückgängig gemacht werden.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"Diese Funktion ist nur für Pro-Benutzer verfügbar. <0>Werden Sie Pro-Nutzer, um es freizuschalten.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"Dies kann je nach Länge Ihrer Eingabe zwischen 30 Sekunden und 2 Minuten dauern.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"Diese Sandbox ist perfekt zum Experimentieren, aber denk daran - sie wird täglich zurückgesetzt. Upgrade jetzt und behalte deine aktuelle Arbeit!","This will replace the current content.":"Dies ersetzt den aktuellen Inhalt.","This will replace your current chart content with the template content.":"Dies ersetzt den aktuellen Inhalt deines Diagramms mit dem Vorlageneinhalt.","This will replace your current sandbox.":"Dies ersetzt deine aktuelle Sandbox.","Time to decide":"Zeit zum Entscheiden","Tip":"Tipp","To fix this change one of the edge IDs":"Um dies zu beheben, ändern Sie eine der Kanten-IDs","To fix this change one of the node IDs":"Um das zu beheben, ändern Sie eine der Knoten-IDs","To fix this move one pointer to the next line":"Um das zu beheben, verschieben Sie einen Zeiger auf die nächste Zeile","To fix this start the container <0/> on a different line":"Um dies zu beheben, starten Sie den Container <0/> auf einer anderen Zeile.","To learn more about why we require you to log in, please read <0>this blog post.":"Um mehr darüber zu erfahren, warum wir Sie zum Anmelden auffordern, lesen Sie bitte <0>diesen Blog-Beitrag.","Top to Bottom":"Von oben nach unten","Transform Your Ideas into Professional Diagrams in Seconds":"Transformieren Sie Ihre Ideen in professionelle Diagramme in Sekunden","Transform text into diagrams instantly":"Verwandeln Sie Texte sofort in Diagramme","Trusted by Professionals and Academics":"Vertrauenswürdig von Profis und Akademikern","Try AI":"Probieren Sie KI","Try again":"Erneut versuchen","Turn your ideas into professional diagrams in seconds":"Verwandeln Sie Ihre Ideen in professionelle Diagramme in Sekundenschnelle","Two edges have the same ID":"Zwei Kanten haben die gleiche ID","Two nodes have the same ID":"Zwei Knoten haben die gleiche ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"Oh oh, du hast keine kostenlosen Anfragen mehr! Upgrade auf Flowchart Fun Pro für unbegrenzte Diagramm-Konvertierungen und verwandle Text weiterhin mühelos in klare, visuelle Flussdiagramme wie durch Kopieren und Einfügen.","Unescaped special character":"Nicht maskiertes Sonderzeichen","Unique text value to identify a node":"Einzigartiger Textwert, um einen Knoten zu identifizieren","Unknown":"Unbekannt","Unknown Parsing Error":"Unbekannter Parser-Fehler","Unlimited Flowcharts":"Unbegrenzte Flowcharts","Unlimited Permanent Flowcharts":"Unbegrenzte permanente Flowcharts","Unlimited cloud-saved flowcharts":"Unbegrenzte in der Cloud gespeicherte Flussdiagramme","Unlock AI Features and never lose your work with a Pro account.":"Entsperren Sie KI-Funktionen und verlieren Sie nie wieder Ihre Arbeit mit einem Pro-Konto.","Unlock Unlimited AI Flowcharts":"Entsperren Sie unbegrenzte AI-Flussdiagramme","Unpaid":"Unbezahlt","Update Email":"E-Mail aktualisieren","Upgrade Now - Save My Work":"Jetzt upgraden - Meine Arbeit speichern","Upgrade to Flowchart Fun Pro and unlock:":"Upgrade auf Flowchart Fun Pro und schalte frei:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Upgrade auf Flowchart Fun Pro, um SVG-Export freizuschalten und mehr fortschrittliche Funktionen für Ihre Diagramme zu nutzen.","Upgrade to Pro":"Auf Pro upgraden","Upgrade to Pro for $2/month":"Upgrade auf Pro für $2/Monat","Upload your File":"Laden Sie Ihre Datei hoch","Use Custom CSS Only":"Nur benutzerdefinierte CSS verwenden","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"Verwenden Sie Lucidchart oder Visio? Der CSV-Import erleichtert das Abrufen von Daten aus jeder Quelle!","Use classes to group nodes":"Verwenden Sie Klassen, um Knoten zu gruppieren","Use the attribute <0>href to set a link on a node that opens in a new tab.":"Verwenden Sie das Attribut <0>href, um einem Knoten einen Link zu setzen, der in einem neuen Tab geöffnet wird.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"Verwenden Sie das Attribut <0>src, um das Bild eines Knotens zu setzen. Das Bild wird an den Knoten angepasst, sodass Sie möglicherweise die Breite und Höhe des Knotens anpassen müssen, um das gewünschte Ergebnis zu erzielen. Es werden nur öffentliche Bilder (nicht von CORS blockiert) unterstützt.","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"Verwenden Sie die Attribute <0>w und <1>h, um die Breite und Höhe eines Knotens explizit festzulegen.","Use the customer portal to change your billing information.":"Verwenden Sie das Kundenportal, um Ihre Rechnungsinformationen zu ändern.","Use these settings to adapt the look and behavior of your flowcharts":"Verwenden Sie diese Einstellungen, um das Aussehen und Verhalten Ihrer Flussdiagramme anzupassen","Use this file for org charts, hierarchies, and other organizational structures.":"Verwenden Sie diese Datei für Organigramme, Hierarchien und andere Organisationsstrukturen.","Use this file for sequences, processes, and workflows.":"Verwenden Sie diese Datei für Sequenzen, Prozesse und Workflows.","Use this mode to modify and enhance your current chart.":"Verwenden Sie diesen Modus, um Ihre aktuelle Tabelle zu ändern und zu verbessern.","User":"Benutzer","Vector Export (SVG)":"Vektor-Export (SVG)","View on Github":"Auf Github ansehen","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"Möchten Sie ein Flussdiagramm aus einem Dokument erstellen? Fügen Sie es in den Editor ein und klicken Sie auf \\"In Flussdiagramm umwandeln\\".","Watermark-Free Diagrams":"Wasserzeichenfreie Diagramme","Watermarks":"Wasserzeichen","Welcome to Flowchart Fun":"Willkommen bei Flowchart Spaß","What our users are saying":"Was unsere Nutzer sagen","What\'s next?":"Was kommt als Nächstes?","What\'s this?":"Was ist das?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"Obwohl wir keine kostenlose Testversion anbieten, ist unsere Preisgestaltung so konzipiert, dass sie besonders für Studenten und Lehrkräfte zugänglich ist. Für nur $4 pro Monat können Sie alle Funktionen erkunden und entscheiden, ob es das Richtige für Sie ist. Sie können sich gerne abonnieren, es ausprobieren und sich immer wieder neu abonnieren, wenn Sie es brauchen.","Width":"Breite","Width and Height":"Breite und Höhe","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"Mit der Pro-Version von Flowchart Fun können Sie natürliche Sprachbefehle verwenden, um schnell Ihre Flussdiagrammdetails auszuarbeiten, ideal für die Erstellung von Diagrammen unterwegs. Für 4 $/Monat erhalten Sie die Leichtigkeit der zugänglichen KI-Bearbeitung, um Ihre Flussdiagrammerfahrung zu verbessern.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"Mit der Pro-Version können Sie lokale Dateien speichern und laden. Es ist perfekt für die Verwaltung von Arbeitsdokumenten offline.","Would you like to continue?":"Möchten Sie fortfahren?","Would you like to suggest a new example?":"Möchtest du ein neues Beispiel vorschlagen?","Wrap text in parentheses to connect to any node":"Verwenden Sie Klammern, um mit jedem Knoten zu verbinden","Write like an outline":"Schreiben Sie wie eine Gliederung","Write your prompt here or click to enable the microphone, then press and hold to record.":"Schreiben Sie hier Ihre Aufforderung oder klicken Sie auf das Mikrofon, um es zu aktivieren, dann halten Sie es gedrückt, um aufzunehmen.","Yearly":"Jährlich","Yes, Replace Content":"Ja, Inhalt ersetzen","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"Ja, wir unterstützen Non-Profit-Organisationen mit speziellen Rabatten. Kontaktieren Sie uns mit Ihrem Non-Profit-Status, um mehr darüber zu erfahren, wie wir Ihre Organisation unterstützen können.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"Ja, Ihre Cloud-Flussdiagramme sind nur zugänglich, wenn Sie angemeldet sind. Zusätzlich können Sie Dateien lokal speichern und laden, perfekt für die Verwaltung sensibler Arbeitsdokumente offline.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["Sie sind dabei, ",["numNodes"]," Knoten und ",["numEdges"]," Kanten zu Ihrem Graphen hinzuzufügen."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"Mit <0>Flowchart Fun Pro können Sie unbegrenzt dauerhafte Flussdiagramme erstellen.","You need to log in to access this page.":"Sie müssen sich anmelden, um auf diese Seite zuzugreifen.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"Sie sind bereits ein Pro-Benutzer. <0>Abonnement verwalten<1/>Haben Sie Fragen oder Feature-Anfragen? <2>Lassen Sie es uns wissen","You\'re doing great!":"Du machst das super!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"Sie haben alle Ihre kostenlosen KI-Konvertierungen verwendet. Upgrade auf Pro für unbegrenzte KI-Nutzung, individuelle Themen, private Freigabe und mehr. Erstellen Sie mühelos weiterhin erstaunliche Flussdiagramme!","Your Charts":"Ihre Diagramme","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"Dein Sandkasten ist ein Raum, um frei mit unseren Flussdiagramm-Tools zu experimentieren, die jeden Tag zurückgesetzt werden, damit du einen frischen Start hast.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"Ihre Diagramme sind schreibgeschützt, da Ihr Konto nicht mehr aktiv ist. Besuchen Sie Ihre <0>Kontoseite, um mehr zu erfahren.","Your subscription is <0>{statusDisplay}.":["Ihre Abonnement ist <0>",["statusDisplay"],"."],"Zoom In":"Vergrößern","Zoom Out":"Verkleinern","month":"Monat","or":"oder","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' + '{"1 Temporary Flowchart":"1 Vorläufiger Flussdiagramm","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>Nur benutzerdefiniertes CSS ist aktiviert. Nur die Layout- und Erweiterten Einstellungen werden angewandt.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun ist ein Open-Source-Projekt von <1>Tone\xA0Row","<0>Sign In / <1>Sign Up with email and password":"<0>Anmelden / <1>Registrieren mit E-Mail und Passwort","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>Sie haben derzeit ein kostenloses Konto.<1/><2>Erfahren Sie mehr über unsere Pro-Funktionen und abonnieren Sie unsere Preisseite.","A new version of the app is available. Please reload to update.":"Eine neue Version der App ist verfügbar. Bitte neu laden, um zu aktualisieren.","AI Creation & Editing":"KI-Erstellung & Bearbeitung","AI-Powered Flowchart Creation":"KI-unterstützte Erstellung von Flussdiagrammen","AI-powered editing to supercharge your workflow":"KI-unterstützte Bearbeitung zur Beschleunigung Ihres Arbeitsablaufs","About":"Über","Account":"Konto","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"Fügen Sie einen Backslash (<0>\\\\) vor jedem Sonderzeichen ein: <1>(, <2>:, <3>#, oder <4>.`","Add some steps":"Füge einige Schritte hinzu","Advanced":"Fortgeschritten","Align Horizontally":"Horizontal ausrichten","Align Nodes":"Ausrichten von Knoten","Align Vertically":"Vertikal ausrichten","All this for just $4/month - less than your daily coffee ☕":"All dies für nur $4/Monat - weniger als Ihr täglicher Kaffee ☕","Amount":"Betrag","An error occurred. Try resubmitting or email {0} directly.":["Es ist ein Fehler aufgetreten. Versuchen Sie, es erneut einzureichen oder senden Sie eine E-Mail direkt an ",["0"],"."],"Appearance":"Erscheinungsbild","Are my flowcharts private?":"Sind meine Flussdiagramme privat?","Are there usage limits?":"Gibt es Nutzungsbeschränkungen?","Are you sure you want to delete the flowchart \\"{0}\\"? This action cannot be undone.":"Sind Sie sicher, dass Sie den Flussdiagramm löschen möchten? ","Are you sure you want to delete the folder \\"{0}\\" and all its contents? This action cannot be undone.":"Sind Sie sicher, dass Sie den Ordner löschen möchten? ","Are you sure you want to delete the folder \\"{0}\\"? This action cannot be undone.":"Sind Sie sicher, dass Sie den Ordner löschen möchten? ","Are you sure?":"Bist du sicher?","Arrow Size":"Größe des Pfeils","Attributes":"Attribute","August 2023":"August 2023","Back":"Zurück","Back To Editor":"Zurück zum Editor","Background Color":"Hintergrundfarbe","Basic Flowchart":"Grundlegender Flussdiagramm","Become a Github Sponsor":"Werden Sie ein Github-Sponsor","Become a Pro User":"Werden Sie ein Pro-Benutzer","Begin your journey":"Beginne deine Reise","Billed annually at $24":"Jährlich abgerechnet für $24","Billed monthly at $4":"Monatlich für $4 berechnet","Blog":"Blog","Book a Meeting":"Ein Treffen buchen","Border Color":"Rahmenfarbe","Border Width":"Rahmenbreite","Bottom to Top":"Von unten nach oben","Breadthfirst":"In die Breite","Build your personal flowchart library":"Erstellen Sie Ihre persönliche Flussdiagramm-Bibliothek","Cancel":"Abbrechen","Cancel anytime":"Jederzeit kündbar","Cancel your subscription. Your hosted charts will become read-only.":"Kündigen Sie Ihr Abonnement. Ihre gehosteten Diagramme werden schreibgeschützt.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"Stornieren ist einfach. Gehe einfach auf deine Kontoseite, scrolle nach unten und klicke auf Stornieren. Wenn du nicht vollständig zufrieden bist, bieten wir eine Rückerstattung für deine erste Zahlung an.","Certain attributes can be used to customize the appearance or functionality of elements.":"Bestimmte Attribute können verwendet werden, um das Aussehen oder die Funktionalität von Elementen anzupassen.","Change Email Address":"E-Mail Adresse ändern","Changelog":"Änderungsprotokoll","Charts":"Diagramme","Check out the guide:":"Schau dir die Anleitung an:","Check your email for a link to log in.<0/>You can close this window.":"Überprüfen Sie Ihre E-Mail auf einen Link zum Einloggen. Sie können dieses Fenster schließen.","Choose":"Wählen","Choose Template":"Vorlage auswählen","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"Wählen Sie aus einer Vielzahl von Pfeilformen für die Quelle und das Ziel einer Kante aus. Formen beinhalten Dreieck, Dreieck-Tee, Kreis-Dreieck, Dreieck-Kreuz, Dreieck-Rückbiegung, Vee, Tee, Quadrat, Kreis, Diamant, Chevron und keine.","Choose how edges connect between nodes":"Wählen Sie, wie Kanten zwischen Knoten verbunden werden","Choose how nodes are automatically arranged in your flowchart":"Wählen Sie aus, wie Knoten automatisch in Ihrem Flussdiagramm angeordnet werden","Circle":"Kreis","Classes":"Klassen","Clear":"Löschen","Clear text?":"Text löschen?","Clone":"Klon","Clone Flowchart":"Flussdiagramm klonen ","Close":"Schließen","Color":"Farbe","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"Farben beinhalten Rot, Orange, Gelb, Blau, Violett, Schwarz, Weiß und Grau.","Column":"Spalte","Comment":"Kommentar","Compare our plans and find the perfect fit for your flowcharting needs":"Vergleichen Sie unsere Pläne und finden Sie die perfekte Lösung für Ihre Flussdiagramm-Bedürfnisse","Concentric":"Konzentrisch","Confirm New Email":"Neue E-Mail bestätigen","Confirm your email address to sign in.":"Bestätigen Sie Ihre E-Mail-Adresse, um sich anzumelden.","Connect your Data":"Verbinden Sie Ihre Daten","Containers":"Behälter","Containers are nodes that contain other nodes. They are declared using curly braces.":"Container sind Knoten, die andere Knoten enthalten. Sie werden mit geschweiften Klammern deklariert.","Continue":"Weiter","Continue in Sandbox (Resets daily, work not saved)":"Weiter im Sandbox-Modus (wird täglich zurückgesetzt, Arbeit wird nicht gespeichert)","Controls the flow direction of hierarchical layouts":"Steuert die Flussrichtung von hierarchischen Layouts","Convert":"Umwandeln","Convert to Flowchart":"In Flussdiagramm konvertieren","Convert to hosted chart?":"In gehostetes Diagramm konvertieren?","Cookie Policy":"Cookie-Richtlinie","Copied SVG code to clipboard":"SVG-Code in Zwischenablage kopiert","Copied {format} to clipboard":[["Format"]," in Zwischenablage kopiert"],"Copy":"Kopieren","Copy PNG Image":"PNG-Bild kopieren","Copy SVG Code":"Kopieren Sie den SVG-Code","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Kopiere deinen Excalidraw-Code und füge ihn in <0>excalidraw.com ein, um ihn zu bearbeiten. Diese Funktion ist experimentell und funktioniert möglicherweise nicht mit allen Diagrammen. Wenn du einen Fehler findest, <1>lass es uns wissen.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"Kopieren Sie Ihren mermaid.js-Code oder öffnen Sie ihn direkt im mermaid.js Live-Editor.","Create":"Erstellen","Create Flowcharts using AI":"Erstellen Sie Flussdiagramme mit KI","Create Unlimited Flowcharts":"Erstellen Sie unbegrenzte Flussdiagramme","Create a New Chart":"Nein Diagramm erstellen","Create a flowchart showing the steps of planning and executing a school fundraising event":"Erstelle einen Flussdiagramm, das die Schritte zur Planung und Durchführung eines Schul-Fundraising-Events zeigt","Create a new flowchart to get started or organize your work with folders.":"Erstellen Sie ein neues Flussdiagramm, um zu beginnen oder organisieren Sie Ihre Arbeit mit Ordnern. ","Create flowcharts instantly: Type or paste text, see it visualized.":"Erstellen Sie sofort Flussdiagramme: Tippen oder fügen Sie Text ein, sehen Sie ihn visualisiert.","Create unlimited diagrams for just $4/month!":"Erstellen Sie unbegrenzt Diagramme für nur $4/Monat!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"Erstellen Sie unbegrenzte Flussdiagramme, die in der Cloud gespeichert sind und überall zugänglich sind!","Create with AI":"Erstellen mit KI","Created Date":"Erstellungsdatum","Creating an edge between two nodes is done by indenting the second node below the first":"Eine Kante zwischen zwei Knoten wird erstellt, indem der zweite Knoten unter dem ersten eingerückt wird","Curve Style":"Kurvenstil","Custom CSS":"Benutzerdefiniertes CSS","Custom Sharing Options":"Benutzerdefinierte Freigabeoptionen","Customer Portal":"Kundenportal","Daily Sandbox Editor":"Täglicher Sandbox-Editor","Dark":"Dunkel","Dark Mode":"Dunkelmodus","Data Import (Visio, Lucidchart, CSV)":"Datenimport (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"Datenimportfunktion für komplexe Diagramme","Date":"Datum","Delete":"Löschen","Delete {0}":["Lösche ",["0"]],"Design a software development lifecycle flowchart for an agile team":"Entwerfe einen Software-Entwicklungs-Lebenszyklus-Flussdiagramm für ein agiles Team","Develop a decision tree for a CEO to evaluate potential new market opportunities":"Entwickle einen Entscheidungsbaum für einen CEO, um potenzielle neue Marktmöglichkeiten zu bewerten.","Direction":"Richtung","Dismiss":"Entlassen","Do you have a free trial?":"Bietest du eine kostenlose Testversion an?","Do you offer a non-profit discount?":"Bietest du einen Non-Profit-Rabatt an?","Do you want to delete this?":"Möchten Sie dies löschen?","Document":"Document","Don\'t Lose Your Work":"Verliere deine Arbeit nicht","Download":"Herunterladen","Download JPG":"JPG herunterladen","Download PNG":"PNG herunterladen","Download SVG":"SVG herunterladen","Drag and drop a CSV file here, or click to select a file":"Ziehen Sie eine CSV-Datei hierher oder klicken Sie, um eine Datei auszuwählen","Draw an edge from multiple nodes by beginning the line with a reference":"Zeichnen Sie eine Kante von mehreren Knoten, indem Sie die Zeile mit einer Referenz beginnen.","Drop the file here ...":"Datei hier ablegen ...","Each line becomes a node":"Jede Zeile wird zu einem Knoten","Edge ID, Classes, Attributes":"Kante-ID, Klassen, Attribute","Edge Label":"Kantenbeschriftung","Edge Label Column":"Spalte mit Kantenbeschriftung","Edge Style":"Kantenstil","Edge Text Size":"Kanten Textgröße","Edge missing indentation":"Kante fehlende Einrückung","Edges":"Kanten","Edges are declared in the same row as their source node":"Kanten werden in der gleichen Zeile wie ihr Quellknoten deklariert","Edges are declared in the same row as their target node":"Kanten werden in der gleichen Zeile wie ihr Zielknoten deklariert","Edges are declared in their own row":"Kanten werden in ihrer eigenen Zeile deklariert","Edges can also have ID\'s, classes, and attributes before the label":"Kanten können auch ID\'s, Klassen und Attribute vor der Bezeichnung haben","Edges can be styled with dashed, dotted, or solid lines":"Kanten können mit gestrichelten, punktierten oder soliden Linien gestaltet werden","Edges in Separate Rows":"Kanten in separaten Zeilen","Edges in Source Node Row":"Kanten in Quellknotenzeile","Edges in Target Node Row":"Kanten in Zielknotenzeile","Edit":"Bearbeiten","Edit with AI":"Mit KI bearbeiten","Editable":"Editierbar","Editor":"Editor","Email":"E-Mail","Empty":"Leer","Enable to set a consistent height for all nodes":"Aktivieren Sie die Einstellung einer einheitlichen Höhe für alle Knoten","Enter a name for the cloned flowchart.":"Geben Sie einen Namen für den geklonten Flussdiagramm ein.","Enter a name for the new folder.":"Geben Sie einen Namen für den neuen Ordner ein.","Enter a new name for the {0}.":["Geben Sie einen neuen Namen für den ",["0"]," ein."],"Enter your email address and we\'ll send you a magic link to sign in.":"Geben Sie Ihre E-Mail-Adresse ein, und wir senden Ihnen einen magischen Link, um sich anzumelden.","Enter your email address below and we\'ll send you a link to reset your password.":"Geben Sie unten Ihre E-Mail-Adresse ein, und wir senden Ihnen einen Link, um Ihr Passwort zurückzusetzen.","Equal To":"Gleich","Everything you need to know about Flowchart Fun Pro":"Alles, was du über Flowchart Fun Pro wissen musst","Examples":"Beispiele","Excalidraw":"Excalidraw","Exclusive Office Hours":"Exklusive Bürozeiten","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"Erleben Sie die Effizienz und Sicherheit des direkten Ladens lokaler Dateien in Ihre Flussdiagramme, ideal für die Verwaltung von Arbeitsdokumenten offline. Entsperren Sie diese exklusive Pro-Funktion und mehr mit Flowchart Fun Pro, erhältlich für nur $4/Monat.","Explore more":"Erkunde mehr","Export":"Exportieren","Export clean diagrams without branding":"Exportieren Sie saubere Diagramme ohne Branding","Export to PNG & JPG":"Exportieren Sie nach PNG & JPG","Export to PNG, JPG, and SVG":"Exportieren Sie nach PNG, JPG und SVG","Feature Breakdown":"Funktionsübersicht","Feedback":"Feedback","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"Fühlen Sie sich frei, zu erkunden und uns über die <0>Feedback-Seite zu kontaktieren, sollten Sie irgendwelche Bedenken haben.","Fine-tune layouts and visual styles":"Feinabstimmung von Layouts und visuellen Stilen","Fixed Height":"Feste Höhe","Fixed Node Height":"Fester Knotenhöhe","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Mit Flowchart Fun Pro erhalten Sie unbegrenzte Flussdiagramme, unbegrenzte Mitarbeiter und unbegrenzten Speicherplatz für nur $4/Monat.","Follow Us on Twitter":"Folgen Sie uns auf Twitter","Font Family":"Schriftfamilie","Forgot your password?":"Haben Sie Ihr Passwort vergessen?","Found a bug? Have a feature request? We would love to hear from you!":"Einen Fehler gefunden? Eine Funktionsanfrage? Wir würden uns freuen von Ihnen zu hören!","Free":"Kostenlos","Frequently Asked Questions":"Häufig gestellte Fragen","Full-screen, read-only, and template sharing":"Vollbild, Nur-Lesen und Vorlagenfreigabe","Fullscreen":"Vollbild","General":"Allgemein","Generate flowcharts from text automatically":"Generieren Sie automatisch Flussdiagramme aus Texten","Get Pro Access Now":"Erhalten Sie jetzt Pro-Zugang","Get Unlimited AI Requests":"Erhalten Sie unbegrenzte KI-Anfragen","Get rapid responses to your questions":"Erhalten Sie schnelle Antworten auf Ihre Fragen","Get unlimited flowcharts and premium features":"Erhalten Sie unbegrenzte Flussdiagramme und Premium-Funktionen","Go back home":"Geh zurück nach Hause","Go to the Editor":"Gehe zum Editor","Go to your Sandbox":"Gehe zu deinem Sandkasten","Graph":"Diagramm","Green?":"Grün?","Grid":"Raster","Have complex questions or issues? We\'re here to help.":"Haben Sie komplexe Fragen oder Probleme? Wir sind hier, um zu helfen.","Here are some Pro features you can now enjoy.":"Hier sind einige Pro-Funktionen, die Sie jetzt genießen können.","High-quality exports with embedded fonts":"Hochwertige Exporte mit eingebetteten Schriftarten","History":"Verlauf","Home":"Startseite","How are edges declared in this data?":"Wie werden Kanten in diesen Daten deklariert?","How do I cancel my subscription?":"Wie kann ich mein Abonnement kündigen?","How does AI flowchart generation work?":"Wie funktioniert die Erstellung von KI-Flussdiagrammen?","How would you like to save your chart?":"Wie möchten Sie Ihren Chart speichern?","I would like to request a new template:":"Ich möchte gerne eine neue Vorlage anfordern:","ID\'s":"IDs","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"Wenn ein Konto mit dieser E-Mail vorhanden ist, haben wir Ihnen eine E-Mail mit Anweisungen zum Zurücksetzen Ihres Passworts gesendet.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"Wenn Sie <0>Flowchart Fun gerne verwenden, überlegen Sie bitte, das Projekt zu unterstützen.","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"Wenn Sie eine Kante erstellen möchten, rücken Sie diese Zeile ein. Wenn nicht, entkomme dem Doppelpunkt mit einem Backslash <0>\\\\:","Images":"Bilder","Import Data":"Daten importieren","Import data from a CSV file.":"Daten aus einer CSV-Datei importieren.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"Daten aus jeder CSV-Datei importieren und auf einem neuen Flussdiagramm abbilden. Dies ist eine großartige Möglichkeit, Daten aus anderen Quellen wie Lucidchart, Google Sheets und Visio zu importieren.","Import from CSV":"Importieren Sie aus CSV","Import from Visio, Lucidchart, and CSV":"Importieren Sie von Visio, Lucidchart und CSV","Import from popular diagram tools":"Importieren Sie aus beliebten Diagramm-Tools","Import your diagram it into Microsoft Visio using one of these CSV files.":"Importieren Sie Ihr Diagramm mithilfe einer dieser CSV-Dateien in Microsoft Visio.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"Der Import von Daten ist eine Pro-Funktion. Sie können auf Flowchart Fun Pro für nur $4/Monat upgraden.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"Fügen Sie einen Titel mit einem <0>title-Attribut ein. Um die Visio-Farbgebung zu verwenden, fügen Sie ein <1>roleType-Attribut gleich einem der folgenden hinzu:","Indent to connect nodes":"Rücke ein, um Knoten zu verbinden","Info":"Info","Is":"Ist","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON Canvas ist eine JSON-Repräsentation Ihres Diagramms, die von <0>Obsidian Canvas und anderen Anwendungen verwendet wird.","Join 2000+ professionals who\'ve upgraded their workflow":"Werden Sie Teil von über 2000 Fachleuten, die ihren Arbeitsablauf verbessert haben","Join thousands of happy users who love Flowchart Fun":"Werde Teil von Tausenden zufriedenen Nutzern, die Flowchart Fun lieben","Keep Things Private":"Halte Dinge privat","Keep changes?":"Änderungen speichern?","Keep practicing":"Übe weiter","Keep your data private on your computer":"Halten Sie Ihre Daten privat auf Ihrem Computer","Language":"Sprache","Layout":"Layout","Layout Algorithm":"Layout-Algorithmus","Layout Frozen":"Layout eingefroren","Leading References":"Führende Referenzen","Learn More":"Mehr erfahren","Learn Syntax":"Syntax lernen","Learn about Flowchart Fun Pro":"Erfahren Sie mehr über Flowchart Fun Pro","Left to Right":"Von links nach rechts","Let us know why you\'re canceling. We\'re always looking to improve.":"Lassen Sie uns wissen, warum Sie stornieren. Wir sind immer auf der Suche nach Verbesserungen.","Light":"Hell","Light Mode":"Heller Modus","Link":"Link","Link back":"Verlinke zurück","Load":"Laden","Load Chart":"Chart laden","Load File":"Datei laden","Load Files":"Dateien laden","Load default content":"Standardinhalt laden","Load from link?":"Von Link laden?","Load layout and styles":"Layout und Stile laden","Loading...":"Wird geladen...","Local File Support":"Lokale Dateiunterstützung","Local saving for offline access":"Lokales Speichern für den Offline-Zugriff","Lock Zoom to Graph":"Zoom an Graph anpassen","Log In":"Anmelden","Log Out":"Abmelden","Log in to Save":"Einloggen, um zu speichern","Log in to upgrade your account":"Melde dich an, um dein Konto zu aktualisieren","Make a One-Time Donation":"Machen Sie eine einmalige Spende","Make publicly accessible":"Öffentlich zugänglich machen","Manage Billing":"Abrechnung verwalten","Map Data":"Daten abbilden","Maximum width of text inside nodes":"Maximale Breite des Textes innerhalb der Knoten","Monthly":"Monatlich","Move":"Verschieben","Move {0}":["Verschieben ",["0"]],"Multiple pointers on same line":"Mehrere Zeiger auf derselben Zeile","My dog ate my credit card!":"Mein Hund hat meine Kreditkarte gefressen!","Name":"Name","Name Chart":"Diagramm benennen","Name your chart":"Benennen Sie Ihren Chart","New":"Neues","New Email":"Neue e-mail","New Flowchart":"Neue Flussdiagramm","New Folder":"Neuer Ordner","Next charge":"Nächste Gebühr","No Edges":"Keine Kanten","No Folder (Root)":"Kein Ordner (Hauptverzeichnis)","No Watermarks!":"Keine Wasserzeichen!","No charts yet":"Keine Diagramme vorhanden","No items in this folder":"Keine Elemente in diesem Ordner","No matching charts found":"Keine übereinstimmenden Diagramme gefunden","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"Nein, es gibt keine Nutzungsbeschränkungen mit dem Pro-Plan. Genießen Sie unbegrenzte Erstellung von Flussdiagrammen und KI-Funktionen, die Ihnen die Freiheit geben, ohne Einschränkungen zu erkunden und zu innovieren.","Node Border Style":"Knotenrahmenstil","Node Colors":"Knotenfarben","Node ID":"Knoten-ID","Node ID, Classes, Attributes":"Knoten-ID, Klassen, Attribute","Node Label":"Knotenbeschriftung","Node Shape":"Knotenform","Node Shapes":"Knotenformen","Nodes":"Knoten","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"Knoten können mit gestrichelt, punktiert oder doppelt gestaltet werden. Grenzen können auch mit border_none entfernt werden.","Not Empty":"Nicht leer","Now you\'re thinking with flowcharts!":"Jetzt denkst du mit Flussdiagrammen!","Office Hours":"Geschäftszeiten","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"legentlich landet der magische Link in Ihrem Spam-Ordner. Wenn Sie ihn nach ein paar Minuten nicht sehen, überprüfen Sie dort oder fordern Sie einen neuen Link an.","One on One Support":"Eins-zu-eins-Unterstützung","One-on-One Support":"One-on-One-Support","Open Customer Portal":"Öffnen Sie das Kundenportal","Operation canceled":"Operation abgebrochen","Or maybe blue!":"Oder vielleicht blau!","Organization Chart":"Organigramm","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"Unsere KI erstellt Diagramme aus Ihren Texteingaben, ermöglicht nahtlose manuelle Bearbeitungen oder KI-unterstützte Anpassungen. Im Gegensatz zu anderen bietet unser Pro-Plan unbegrenzte KI-Generierungen und -Bearbeitungen, damit Sie ohne Grenzen erstellen können.","Padding":"Polsterung","Page not found":"Seite nicht gefunden","Password":"Passwort","Past Due":"Überfällig","Paste a document to convert it":"Füge ein Dokument ein, um es zu konvertieren","Paste your document or outline here to convert it into an organized flowchart.":"Fügen Sie Ihr Dokument oder Ihre Gliederung hier ein, um es in einen organisierten Flussdiagramm umzuwandeln.","Pasted content detected. Convert to Flowchart Fun syntax?":"Eingefügter Inhalt erkannt. In Flowchart Fun-Syntax konvertieren?","Perfect for docs and quick sharing":"Perfekt für Dokumente und schnelles Teilen","Permanent Charts are a Pro Feature":"Permanente Diagramme sind eine Pro-Funktion","Playbook":"Spielbuch","Pointer and container on same line":"Zeiger und Container auf derselben Zeile","Priority One-on-One Support":"Priorisierte Einzelunterstützung","Privacy Policy":"Datenschutzerklärung","Pro tip: Right-click any node to customize its shape and color":"Pro-Tipp: Klicken Sie mit der rechten Maustaste auf einen Knoten, um seine Form und Farbe anzupassen.","Processing Data":"Datenverarbeitung","Processing...":"Verarbeitung...","Prompt":"Aufforderung","Public":"Öffentlich","Quick experimentation space that resets daily":"Schneller Experimentierraum, der täglich zurückgesetzt wird","Random":"Zufällig","Rapid Deployment Templates":"Schnellbereitstellungsvorlagen","Rapid Templates":"Schnelle Vorlagen","Raster Export (PNG, JPG)":"Raster-Export (PNG, JPG)","Rate limit exceeded. Please try again later.":"Die Rate-Limit wurde überschritten. Bitte versuchen Sie es später erneut.","Read-only":"Schreibgeschützt","Reference by Class":"Referenz nach Klasse","Reference by ID":"Referenz nach ID","Reference by Label":"Referenz nach Label","References":"Referenzen","References are used to create edges between nodes that are created elsewhere in the document":"Referenzen werden verwendet, um Kanten zwischen Knoten zu erstellen, die anderswo im Dokument erstellt werden","Referencing a node by its exact label":"Referenzierung eines Knotens durch sein exaktes Label","Referencing a node by its unique ID":"Referenzierung eines Knotens durch seine eindeutige ID","Referencing multiple nodes with the same assigned class":"Mehrere Knoten mit der selben zugewiesenen Klasse referenzieren","Refresh Page":"Seite aktualisieren","Reload to Update":"Neu laden, um zu aktualisieren","Rename":"Umbenennen","Rename {0}":[["0"]," umbenennen"],"Request Magic Link":"Magic-Link anfordern","Request Password Reset":"Passwort zurücksetzen anfordern","Reset":"Zurücksetzen","Reset Password":"Passwort zurücksetzen","Resume Subscription":"Abonnement fortsetzen","Return":"Zurückkehren","Right to Left":"Von rechts nach links","Right-click nodes for options":"Klicke mit der rechten Maustaste auf Knoten für Optionen","Roadmap":"Fahrplan","Rotate Label":"Label drehen","SVG Export is a Pro Feature":"SVG-Export ist eine Pro-Funktion","Satisfaction guaranteed or first payment refunded":"Zufriedenheitsgarantie oder erste Zahlung erstattet","Save":"Speichern","Save time with AI and dictation, making it easy to create diagrams.":"Sparen Sie Zeit mit KI und Diktat, um Diagramme einfach zu erstellen.","Save to Cloud":"In die Cloud speichern","Save to File":"In Datei speichern","Save your Work":"Speichern Sie Ihre Arbeit","Schedule personal consultation sessions":"Persönliche Beratungssitzungen planen","Secure payment":"Sichere Zahlung","See more reviews on Product Hunt":"Schau dir weitere Bewertungen auf Product Hunt an","Select a destination folder for \\"{0}\\".":"Wählen Sie einen Zielordner für \\\\","Set a consistent height for all nodes":"Legen Sie eine einheitliche Höhe für alle Knoten fest","Settings":"Einstellungen","Share":"Teilen","Sign In":"Anmelden","Sign in with <0>GitHub":"Anmelden mit <0>GitHub","Sign in with <0>Google":"Anmelden mit <0>Google","Sorry! This page is only available in English.":"Entschuldigung! Diese Seite ist nur auf Englisch verfügbar.","Sorry, there was an error converting the text to a flowchart. Try again later.":"Entschuldigung, es gab einen Fehler bei der Konvertierung des Textes in einen Flussdiagramm. Versuchen Sie es später erneut.","Sort Ascending":"Aufsteigend sortieren","Sort Descending":"Absteigend sortieren","Sort by {0}":["Sortieren nach ",["0"]],"Source Arrow Shape":"Pfeilform der Quelle","Source Column":"Quellspalte","Source Delimiter":"Quell-Trennzeichen","Source Distance From Node":"Abstand der Quelle vom Knoten","Source/Target Arrow Shape":"Quelle/Ziel-Pfeilform","Spacing":"Abstand","Special Attributes":"Spezielle Attribute","Start":"Start","Start Over":"Von vorne anfangen","Start faster with use-case specific templates":"Schnellerer Einstieg mit anwendungsspezifischen Vorlagen","Status":"Status","Step 1":"Schritt 1","Step 2":"Schritt 2","Step 3":"Schritt 3","Store any data associated to a node":"Speichern Sie alle Daten, die einem Knoten zugeordnet sind","Style Classes":"Stil-Klassen","Style with classes":"Mit Klassen gestalten","Submit":"Einsenden","Subscribe to Pro and flowchart the fun way!":"Abonniere Pro und erstelle Flussdiagramme auf unterhaltsame Weise!","Subscription":"Abonnement","Subscription Successful!":"Abonnement erfolgreich!","Subscription will end":"Abonnement wird beendet","Target Arrow Shape":"Pfeilform des Ziels","Target Column":"Ziel-Spalte","Target Delimiter":"Ziel-Trennzeichen","Target Distance From Node":"Zielabstand vom Knoten ","Text Color":"Textfarbe ","Text Horizontal Offset":"Text Horizontaler Versatz","Text Leading":"Textführung ","Text Max Width":"Text Max Breite","Text Vertical Offset":"Textvertikaler Abstand ","Text followed by colon+space creates an edge with the text as the label":"Text gefolgt von Doppelpunkt + Leerzeichen erstellt eine Kante mit dem Text als Label","Text on a line creates a node with the text as the label":"Text in einer Zeile erstellt einen Knoten mit dem Text als Label","Thank you for your feedback!":"Danke für Ihr Feedback!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"Der beste Weg, um Stile zu ändern, besteht darin, mit der rechten Maustaste auf einen Knoten oder eine Kante zu klicken und den gewünschten Stil auszuwählen.","The column that contains the edge label(s)":"Die Spalte, die die Kantenbeschriftung(en) enthält","The column that contains the source node ID(s)":"Die Spalte, die die Quellknoten-ID(en) enthält","The column that contains the target node ID(s)":"Die Spalte, die die Zielknoten-ID(en) enthält","The delimiter used to separate multiple source nodes":"Der Trennzeichen, das verwendet wird, um mehrere Quellknoten zu trennen","The delimiter used to separate multiple target nodes":"Der Trennzeichen, das verwendet wird, um mehrere Zielknoten zu trennen","The possible shapes are:":"Die möglichen Formen sind:","Theme":"Thema ","Theme Customization Editor":"Theme-Anpassungseditor","Theme Editor":"Themen-Editor","There are no edges in this data":"Es gibt keine Kanten in diesen Daten","This action cannot be undone.":"Diese Aktion kann nicht rückgängig gemacht werden.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"Diese Funktion ist nur für Pro-Benutzer verfügbar. <0>Werden Sie Pro-Nutzer, um es freizuschalten.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"Dies kann je nach Länge Ihrer Eingabe zwischen 30 Sekunden und 2 Minuten dauern.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"Diese Sandbox ist perfekt zum Experimentieren, aber denk daran - sie wird täglich zurückgesetzt. Upgrade jetzt und behalte deine aktuelle Arbeit!","This will replace the current content.":"Dies ersetzt den aktuellen Inhalt.","This will replace your current chart content with the template content.":"Dies ersetzt den aktuellen Inhalt deines Diagramms mit dem Vorlageneinhalt.","This will replace your current sandbox.":"Dies ersetzt deine aktuelle Sandbox.","Time to decide":"Zeit zum Entscheiden","Tip":"Tipp","To fix this change one of the edge IDs":"Um dies zu beheben, ändern Sie eine der Kanten-IDs","To fix this change one of the node IDs":"Um das zu beheben, ändern Sie eine der Knoten-IDs","To fix this move one pointer to the next line":"Um das zu beheben, verschieben Sie einen Zeiger auf die nächste Zeile","To fix this start the container <0/> on a different line":"Um dies zu beheben, starten Sie den Container <0/> auf einer anderen Zeile.","To learn more about why we require you to log in, please read <0>this blog post.":"Um mehr darüber zu erfahren, warum wir Sie zum Anmelden auffordern, lesen Sie bitte <0>diesen Blog-Beitrag.","Top to Bottom":"Von oben nach unten","Transform Your Ideas into Professional Diagrams in Seconds":"Transformieren Sie Ihre Ideen in professionelle Diagramme in Sekunden","Transform text into diagrams instantly":"Verwandeln Sie Texte sofort in Diagramme","Trusted by Professionals and Academics":"Vertrauenswürdig von Profis und Akademikern","Try AI":"Probieren Sie KI","Try adjusting your search or filters to find what you\'re looking for.":"Versuche, deine Suche oder Filter anzupassen, um das Gewünschte zu finden.","Try again":"Erneut versuchen","Turn your ideas into professional diagrams in seconds":"Verwandeln Sie Ihre Ideen in professionelle Diagramme in Sekundenschnelle","Two edges have the same ID":"Zwei Kanten haben die gleiche ID","Two nodes have the same ID":"Zwei Knoten haben die gleiche ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"Oh oh, du hast keine kostenlosen Anfragen mehr! Upgrade auf Flowchart Fun Pro für unbegrenzte Diagramm-Konvertierungen und verwandle Text weiterhin mühelos in klare, visuelle Flussdiagramme wie durch Kopieren und Einfügen.","Unescaped special character":"Nicht maskiertes Sonderzeichen","Unique text value to identify a node":"Einzigartiger Textwert, um einen Knoten zu identifizieren","Unknown":"Unbekannt","Unknown Parsing Error":"Unbekannter Parser-Fehler","Unlimited Flowcharts":"Unbegrenzte Flowcharts","Unlimited Permanent Flowcharts":"Unbegrenzte permanente Flowcharts","Unlimited cloud-saved flowcharts":"Unbegrenzte in der Cloud gespeicherte Flussdiagramme","Unlock AI Features and never lose your work with a Pro account.":"Entsperren Sie KI-Funktionen und verlieren Sie nie wieder Ihre Arbeit mit einem Pro-Konto.","Unlock Unlimited AI Flowcharts":"Entsperren Sie unbegrenzte AI-Flussdiagramme","Unpaid":"Unbezahlt","Update Email":"E-Mail aktualisieren","Updated Date":"Aktualisierungsdatum ","Upgrade Now - Save My Work":"Jetzt upgraden - Meine Arbeit speichern","Upgrade to Flowchart Fun Pro and unlock:":"Upgrade auf Flowchart Fun Pro und schalte frei:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Upgrade auf Flowchart Fun Pro, um SVG-Export freizuschalten und mehr fortschrittliche Funktionen für Ihre Diagramme zu nutzen.","Upgrade to Pro":"Auf Pro upgraden","Upgrade to Pro for $2/month":"Upgrade auf Pro für $2/Monat","Upload your File":"Laden Sie Ihre Datei hoch","Use Custom CSS Only":"Nur benutzerdefinierte CSS verwenden","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"Verwenden Sie Lucidchart oder Visio? Der CSV-Import erleichtert das Abrufen von Daten aus jeder Quelle!","Use classes to group nodes":"Verwenden Sie Klassen, um Knoten zu gruppieren","Use the attribute <0>href to set a link on a node that opens in a new tab.":"Verwenden Sie das Attribut <0>href, um einem Knoten einen Link zu setzen, der in einem neuen Tab geöffnet wird.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"Verwenden Sie das Attribut <0>src, um das Bild eines Knotens zu setzen. Das Bild wird an den Knoten angepasst, sodass Sie möglicherweise die Breite und Höhe des Knotens anpassen müssen, um das gewünschte Ergebnis zu erzielen. Es werden nur öffentliche Bilder (nicht von CORS blockiert) unterstützt.","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"Verwenden Sie die Attribute <0>w und <1>h, um die Breite und Höhe eines Knotens explizit festzulegen.","Use the customer portal to change your billing information.":"Verwenden Sie das Kundenportal, um Ihre Rechnungsinformationen zu ändern.","Use these settings to adapt the look and behavior of your flowcharts":"Verwenden Sie diese Einstellungen, um das Aussehen und Verhalten Ihrer Flussdiagramme anzupassen","Use this file for org charts, hierarchies, and other organizational structures.":"Verwenden Sie diese Datei für Organigramme, Hierarchien und andere Organisationsstrukturen.","Use this file for sequences, processes, and workflows.":"Verwenden Sie diese Datei für Sequenzen, Prozesse und Workflows.","Use this mode to modify and enhance your current chart.":"Verwenden Sie diesen Modus, um Ihre aktuelle Tabelle zu ändern und zu verbessern.","User":"Benutzer","Vector Export (SVG)":"Vektor-Export (SVG)","View on Github":"Auf Github ansehen","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"Möchten Sie ein Flussdiagramm aus einem Dokument erstellen? Fügen Sie es in den Editor ein und klicken Sie auf \\"In Flussdiagramm umwandeln\\".","Watermark-Free Diagrams":"Wasserzeichenfreie Diagramme","Watermarks":"Wasserzeichen","Welcome to Flowchart Fun":"Willkommen bei Flowchart Spaß","What our users are saying":"Was unsere Nutzer sagen","What\'s next?":"Was kommt als Nächstes?","What\'s this?":"Was ist das?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"Obwohl wir keine kostenlose Testversion anbieten, ist unsere Preisgestaltung so konzipiert, dass sie besonders für Studenten und Lehrkräfte zugänglich ist. Für nur $4 pro Monat können Sie alle Funktionen erkunden und entscheiden, ob es das Richtige für Sie ist. Sie können sich gerne abonnieren, es ausprobieren und sich immer wieder neu abonnieren, wenn Sie es brauchen.","Width":"Breite","Width and Height":"Breite und Höhe","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"Mit der Pro-Version von Flowchart Fun können Sie natürliche Sprachbefehle verwenden, um schnell Ihre Flussdiagrammdetails auszuarbeiten, ideal für die Erstellung von Diagrammen unterwegs. Für 4 $/Monat erhalten Sie die Leichtigkeit der zugänglichen KI-Bearbeitung, um Ihre Flussdiagrammerfahrung zu verbessern.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"Mit der Pro-Version können Sie lokale Dateien speichern und laden. Es ist perfekt für die Verwaltung von Arbeitsdokumenten offline.","Would you like to continue?":"Möchten Sie fortfahren?","Would you like to suggest a new example?":"Möchtest du ein neues Beispiel vorschlagen?","Wrap text in parentheses to connect to any node":"Verwenden Sie Klammern, um mit jedem Knoten zu verbinden","Write like an outline":"Schreiben Sie wie eine Gliederung","Write your prompt here or click to enable the microphone, then press and hold to record.":"Schreiben Sie hier Ihre Aufforderung oder klicken Sie auf das Mikrofon, um es zu aktivieren, dann halten Sie es gedrückt, um aufzunehmen.","Yearly":"Jährlich","Yes, Replace Content":"Ja, Inhalt ersetzen","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"Ja, wir unterstützen Non-Profit-Organisationen mit speziellen Rabatten. Kontaktieren Sie uns mit Ihrem Non-Profit-Status, um mehr darüber zu erfahren, wie wir Ihre Organisation unterstützen können.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"Ja, Ihre Cloud-Flussdiagramme sind nur zugänglich, wenn Sie angemeldet sind. Zusätzlich können Sie Dateien lokal speichern und laden, perfekt für die Verwaltung sensibler Arbeitsdokumente offline.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["Sie sind dabei, ",["numNodes"]," Knoten und ",["numEdges"]," Kanten zu Ihrem Graphen hinzuzufügen."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"Mit <0>Flowchart Fun Pro können Sie unbegrenzt dauerhafte Flussdiagramme erstellen.","You need to log in to access this page.":"Sie müssen sich anmelden, um auf diese Seite zuzugreifen.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"Sie sind bereits ein Pro-Benutzer. <0>Abonnement verwalten<1/>Haben Sie Fragen oder Feature-Anfragen? <2>Lassen Sie es uns wissen","You\'re doing great!":"Du machst das super!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"Sie haben alle Ihre kostenlosen KI-Konvertierungen verwendet. Upgrade auf Pro für unbegrenzte KI-Nutzung, individuelle Themen, private Freigabe und mehr. Erstellen Sie mühelos weiterhin erstaunliche Flussdiagramme!","Your Charts":"Ihre Diagramme","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"Dein Sandkasten ist ein Raum, um frei mit unseren Flussdiagramm-Tools zu experimentieren, die jeden Tag zurückgesetzt werden, damit du einen frischen Start hast.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"Ihre Diagramme sind schreibgeschützt, da Ihr Konto nicht mehr aktiv ist. Besuchen Sie Ihre <0>Kontoseite, um mehr zu erfahren.","Your subscription is <0>{statusDisplay}.":["Ihre Abonnement ist <0>",["statusDisplay"],"."],"Zoom In":"Vergrößern","Zoom Out":"Verkleinern","month":"Monat","or":"oder","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' ), }; diff --git a/app/src/locales/de/messages.po b/app/src/locales/de/messages.po index 2ff44df83..d603a2598 100644 --- a/app/src/locales/de/messages.po +++ b/app/src/locales/de/messages.po @@ -110,6 +110,18 @@ msgstr "Sind meine Flussdiagramme privat?" msgid "Are there usage limits?" msgstr "Gibt es Nutzungsbeschränkungen?" +#: src/components/charts/ChartModals.tsx:50 +msgid "Are you sure you want to delete the flowchart \"{0}\"? This action cannot be undone." +msgstr "Sind Sie sicher, dass Sie den Flussdiagramm löschen möchten? " + +#: src/components/charts/ChartModals.tsx:39 +msgid "Are you sure you want to delete the folder \"{0}\" and all its contents? This action cannot be undone." +msgstr "Sind Sie sicher, dass Sie den Ordner löschen möchten? " + +#: src/components/charts/ChartModals.tsx:44 +msgid "Are you sure you want to delete the folder \"{0}\"? This action cannot be undone." +msgstr "Sind Sie sicher, dass Sie den Ordner löschen möchten? " + #: src/components/LoadTemplateDialog.tsx:121 msgid "Are you sure?" msgstr "Bist du sicher?" @@ -204,6 +216,11 @@ msgstr "Erstellen Sie Ihre persönliche Flussdiagramm-Bibliothek" #: src/components/ImportDataDialog.tsx:698 #: src/components/LoadTemplateDialog.tsx:149 #: src/components/RenameButton.tsx:160 +#: src/components/charts/ChartModals.tsx:59 +#: src/components/charts/ChartModals.tsx:129 +#: src/components/charts/ChartModals.tsx:207 +#: src/components/charts/ChartModals.tsx:277 +#: src/components/charts/ChartModals.tsx:440 #: src/pages/Account.tsx:323 #: src/pages/Account.tsx:335 #: src/pages/Account.tsx:426 @@ -287,9 +304,15 @@ msgid "Clear text?" msgstr "Text löschen?" #: src/components/CloneButton.tsx:48 +#: src/components/charts/ChartListItem.tsx:191 +#: src/components/charts/ChartModals.tsx:136 msgid "Clone" msgstr "Klon" +#: src/components/charts/ChartModals.tsx:111 +msgid "Clone Flowchart" +msgstr "Flussdiagramm klonen " + #: src/components/LearnSyntaxDialog.tsx:413 msgid "Close" msgstr "Schließen" @@ -398,6 +421,7 @@ msgstr "Kopiere deinen Excalidraw-Code und füge ihn in <0>excalidraw.com ei msgid "Copy your mermaid.js code or open it directly in the mermaid.js live editor." msgstr "Kopieren Sie Ihren mermaid.js-Code oder öffnen Sie ihn direkt im mermaid.js Live-Editor." +#: src/components/charts/ChartModals.tsx:284 #: src/pages/New.tsx:184 msgid "Create" msgstr "Erstellen" @@ -418,6 +442,10 @@ msgstr "Nein Diagramm erstellen" msgid "Create a flowchart showing the steps of planning and executing a school fundraising event" msgstr "Erstelle einen Flussdiagramm, das die Schritte zur Planung und Durchführung eines Schul-Fundraising-Events zeigt" +#: src/components/charts/EmptyState.tsx:41 +msgid "Create a new flowchart to get started or organize your work with folders." +msgstr "Erstellen Sie ein neues Flussdiagramm, um zu beginnen oder organisieren Sie Ihre Arbeit mit Ordnern. " + #: src/components/FlowchartHeader.tsx:44 msgid "Create flowcharts instantly: Type or paste text, see it visualized." msgstr "Erstellen Sie sofort Flussdiagramme: Tippen oder fügen Sie Text ein, sehen Sie ihn visualisiert." @@ -434,6 +462,10 @@ msgstr "Erstellen Sie unbegrenzte Flussdiagramme, die in der Cloud gespeichert s msgid "Create with AI" msgstr "Erstellen mit KI" +#: src/components/charts/ChartsToolbar.tsx:103 +msgid "Created Date" +msgstr "Erstellungsdatum" + #: src/components/LearnSyntaxDialog.tsx:167 msgid "Creating an edge between two nodes is done by indenting the second node below the first" msgstr "Eine Kante zwischen zwei Knoten wird erstellt, indem der zweite Knoten unter dem ersten eingerückt wird" @@ -481,6 +513,15 @@ msgstr "Datenimportfunktion für komplexe Diagramme" msgid "Date" msgstr "Datum" +#: src/components/charts/ChartListItem.tsx:205 +#: src/components/charts/ChartModals.tsx:62 +msgid "Delete" +msgstr "Löschen" + +#: src/components/charts/ChartModals.tsx:33 +msgid "Delete {0}" +msgstr "Lösche {0}" + #: src/pages/createExamples.tsx:8 msgid "Design a software development lifecycle flowchart for an agile team" msgstr "Entwerfe einen Software-Entwicklungs-Lebenszyklus-Flussdiagramm für ein agiles Team" @@ -653,6 +694,18 @@ msgstr "Leer" msgid "Enable to set a consistent height for all nodes" msgstr "Aktivieren Sie die Einstellung einer einheitlichen Höhe für alle Knoten" +#: src/components/charts/ChartModals.tsx:115 +msgid "Enter a name for the cloned flowchart." +msgstr "Geben Sie einen Namen für den geklonten Flussdiagramm ein." + +#: src/components/charts/ChartModals.tsx:263 +msgid "Enter a name for the new folder." +msgstr "Geben Sie einen Namen für den neuen Ordner ein." + +#: src/components/charts/ChartModals.tsx:191 +msgid "Enter a new name for the {0}." +msgstr "Geben Sie einen neuen Namen für den {0} ein." + #: src/pages/LogIn.tsx:138 msgid "Enter your email address and we'll send you a magic link to sign in." msgstr "Geben Sie Ihre E-Mail-Adresse ein, und wir senden Ihnen einen magischen Link, um sich anzumelden." @@ -803,6 +856,7 @@ msgid "Go to the Editor" msgstr "Gehe zum Editor" #: src/pages/Charts.tsx:285 +#: src/pages/MyCharts.tsx:241 msgid "Go to your Sandbox" msgstr "Gehe zu deinem Sandkasten" @@ -1048,6 +1102,10 @@ msgstr "Von Link laden?" msgid "Load layout and styles" msgstr "Layout und Stile laden" +#: src/components/charts/ChartListItem.tsx:236 +msgid "Loading..." +msgstr "Wird geladen..." + #: src/components/FeatureBreakdown.tsx:83 #: src/pages/Pricing.tsx:63 msgid "Local File Support" @@ -1103,6 +1161,15 @@ msgstr "Maximale Breite des Textes innerhalb der Knoten" msgid "Monthly" msgstr "Monatlich" +#: src/components/charts/ChartListItem.tsx:179 +#: src/components/charts/ChartModals.tsx:443 +msgid "Move" +msgstr "Verschieben" + +#: src/components/charts/ChartModals.tsx:398 +msgid "Move {0}" +msgstr "Verschieben {0}" + #: src/lib/parserErrors.tsx:29 msgid "Multiple pointers on same line" msgstr "Mehrere Zeiger auf derselben Zeile" @@ -1111,6 +1178,10 @@ msgstr "Mehrere Zeiger auf derselben Zeile" msgid "My dog ate my credit card!" msgstr "Mein Hund hat meine Kreditkarte gefressen!" +#: src/components/charts/ChartsToolbar.tsx:97 +msgid "Name" +msgstr "Name" + #: src/pages/New.tsx:108 #: src/pages/New.tsx:116 msgid "Name Chart" @@ -1130,6 +1201,17 @@ msgstr "Neues" msgid "New Email" msgstr "Neue e-mail" +#: src/components/charts/ChartsToolbar.tsx:139 +#: src/components/charts/EmptyState.tsx:55 +msgid "New Flowchart" +msgstr "Neue Flussdiagramm" + +#: src/components/charts/ChartModals.tsx:259 +#: src/components/charts/ChartsToolbar.tsx:147 +#: src/components/charts/EmptyState.tsx:62 +msgid "New Folder" +msgstr "Neuer Ordner" + #: src/pages/Account.tsx:171 #: src/pages/Account.tsx:472 msgid "Next charge" @@ -1139,10 +1221,26 @@ msgstr "Nächste Gebühr" msgid "No Edges" msgstr "Keine Kanten" +#: src/components/charts/ChartModals.tsx:429 +msgid "No Folder (Root)" +msgstr "Kein Ordner (Hauptverzeichnis)" + #: src/pages/Pricing.tsx:67 msgid "No Watermarks!" msgstr "Keine Wasserzeichen!" +#: src/components/charts/EmptyState.tsx:30 +msgid "No charts yet" +msgstr "Keine Diagramme vorhanden" + +#: src/components/charts/ChartListItem.tsx:253 +msgid "No items in this folder" +msgstr "Keine Elemente in diesem Ordner" + +#: src/components/charts/EmptyState.tsx:28 +msgid "No matching charts found" +msgstr "Keine übereinstimmenden Diagramme gefunden" + #: src/components/FAQ.tsx:23 msgid "No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions." msgstr "Nein, es gibt keine Nutzungsbeschränkungen mit dem Pro-Plan. Genießen Sie unbegrenzte Erstellung von Flussdiagrammen und KI-Funktionen, die Ihnen die Freiheit geben, ohne Einschränkungen zu erkunden und zu innovieren." @@ -1379,9 +1477,15 @@ msgstr "Neu laden, um zu aktualisieren" #: src/components/RenameButton.tsx:100 #: src/components/RenameButton.tsx:121 #: src/components/RenameButton.tsx:163 +#: src/components/charts/ChartListItem.tsx:168 +#: src/components/charts/ChartModals.tsx:214 msgid "Rename" msgstr "Umbenennen" +#: src/components/charts/ChartModals.tsx:187 +msgid "Rename {0}" +msgstr "{0} umbenennen" + #: src/pages/LogIn.tsx:164 msgid "Request Magic Link" msgstr "Magic-Link anfordern" @@ -1471,6 +1575,10 @@ msgstr "Sichere Zahlung" msgid "See more reviews on Product Hunt" msgstr "Schau dir weitere Bewertungen auf Product Hunt an" +#: src/components/charts/ChartModals.tsx:402 +msgid "Select a destination folder for \"{0}\"." +msgstr "Wählen Sie einen Zielordner für \" + #: src/components/Tabs/ThemeTab.tsx:395 msgid "Set a consistent height for all nodes" msgstr "Legen Sie eine einheitliche Höhe für alle Knoten fest" @@ -1506,6 +1614,18 @@ msgstr "Entschuldigung! Diese Seite ist nur auf Englisch verfügbar." msgid "Sorry, there was an error converting the text to a flowchart. Try again later." msgstr "Entschuldigung, es gab einen Fehler bei der Konvertierung des Textes in einen Flussdiagramm. Versuchen Sie es später erneut." +#: src/components/charts/ChartsToolbar.tsx:124 +msgid "Sort Ascending" +msgstr "Aufsteigend sortieren" + +#: src/components/charts/ChartsToolbar.tsx:119 +msgid "Sort Descending" +msgstr "Absteigend sortieren" + +#: src/components/charts/ChartsToolbar.tsx:79 +msgid "Sort by {0}" +msgstr "Sortieren nach {0}" + #: src/components/Tabs/ThemeTab.tsx:491 #: src/components/Tabs/ThemeTab.tsx:492 msgid "Source Arrow Shape" @@ -1780,6 +1900,10 @@ msgstr "Vertrauenswürdig von Profis und Akademikern" msgid "Try AI" msgstr "Probieren Sie KI" +#: src/components/charts/EmptyState.tsx:36 +msgid "Try adjusting your search or filters to find what you're looking for." +msgstr "Versuche, deine Suche oder Filter anzupassen, um das Gewünschte zu finden." + #: src/components/App.tsx:82 msgid "Try again" msgstr "Erneut versuchen" @@ -1845,6 +1969,10 @@ msgstr "Unbezahlt" msgid "Update Email" msgstr "E-Mail aktualisieren" +#: src/components/charts/ChartsToolbar.tsx:109 +msgid "Updated Date" +msgstr "Aktualisierungsdatum " + #: src/components/SandboxWarning.tsx:95 msgid "Upgrade Now - Save My Work" msgstr "Jetzt upgraden - Meine Arbeit speichern" @@ -2037,6 +2165,7 @@ msgid "You've used all your free AI conversions. Upgrade to Pro for unlimited AI msgstr "Sie haben alle Ihre kostenlosen KI-Konvertierungen verwendet. Upgrade auf Pro für unbegrenzte KI-Nutzung, individuelle Themen, private Freigabe und mehr. Erstellen Sie mühelos weiterhin erstaunliche Flussdiagramme!" #: src/pages/Charts.tsx:93 +#: src/pages/MyCharts.tsx:235 msgid "Your Charts" msgstr "Ihre Diagramme" diff --git a/app/src/locales/en/messages.js b/app/src/locales/en/messages.js index 6aeb1e85e..58ca185f8 100644 --- a/app/src/locales/en/messages.js +++ b/app/src/locales/en/messages.js @@ -1,5 +1,5 @@ /*eslint-disable*/ module.exports = { messages: JSON.parse( - '{"1 Temporary Flowchart":"1 Temporary Flowchart","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row","<0>Sign In / <1>Sign Up with email and password":"<0>Sign In / <1>Sign Up with email and password","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.","A new version of the app is available. Please reload to update.":"A new version of the app is available. Please reload to update.","AI Creation & Editing":"AI Creation & Editing","AI-Powered Flowchart Creation":"AI-Powered Flowchart Creation","AI-powered editing to supercharge your workflow":"AI-powered editing to supercharge your workflow","About":"About","Account":"Account","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`","Add some steps":"Add some steps","Advanced":"Advanced","Align Horizontally":"Align Horizontally","Align Nodes":"Align Nodes","Align Vertically":"Align Vertically","All this for just $4/month - less than your daily coffee ☕":"All this for just $4/month - less than your daily coffee ☕","Amount":"Amount","An error occurred. Try resubmitting or email {0} directly.":["An error occurred. Try resubmitting or email ",["0"]," directly."],"Appearance":"Appearance","Are my flowcharts private?":"Are my flowcharts private?","Are there usage limits?":"Are there usage limits?","Are you sure?":"Are you sure?","Arrow Size":"Arrow Size","Attributes":"Attributes","August 2023":"August 2023","Back":"Back","Back To Editor":"Back To Editor","Background Color":"Background Color","Basic Flowchart":"Basic Flowchart","Become a Github Sponsor":"Become a Github Sponsor","Become a Pro User":"Become a Pro User","Begin your journey":"Begin your journey","Billed annually at $24":"Billed annually at $24","Billed monthly at $4":"Billed monthly at $4","Blog":"Blog","Book a Meeting":"Book a Meeting","Border Color":"Border Color","Border Width":"Border Width","Bottom to Top":"Bottom to Top","Breadthfirst":"Breadthfirst","Build your personal flowchart library":"Build your personal flowchart library","Cancel":"Cancel","Cancel anytime":"Cancel anytime","Cancel your subscription. Your hosted charts will become read-only.":"Cancel your subscription. Your hosted charts will become read-only.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.","Certain attributes can be used to customize the appearance or functionality of elements.":"Certain attributes can be used to customize the appearance or functionality of elements.","Change Email Address":"Change Email Address","Changelog":"Changelog","Charts":"Charts","Check out the guide:":"Check out the guide:","Check your email for a link to log in.<0/>You can close this window.":"Check your email for a link to log in.<0/>You can close this window.","Choose":"Choose","Choose Template":"Choose Template","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .","Choose how edges connect between nodes":"Choose how edges connect between nodes","Choose how nodes are automatically arranged in your flowchart":"Choose how nodes are automatically arranged in your flowchart","Circle":"Circle","Classes":"Classes","Clear":"Clear","Clear text?":"Clear text?","Clone":"Clone","Close":"Close","Color":"Color","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"Colors include red, orange, yellow, blue, purple, black, white, and gray.","Column":"Column","Comment":"Comment","Compare our plans and find the perfect fit for your flowcharting needs":"Compare our plans and find the perfect fit for your flowcharting needs","Concentric":"Concentric","Confirm New Email":"Confirm New Email","Confirm your email address to sign in.":"Confirm your email address to sign in.","Connect your Data":"Connect your Data","Containers":"Containers","Containers are nodes that contain other nodes. They are declared using curly braces.":"Containers are nodes that contain other nodes. They are declared using curly braces.","Continue":"Continue","Continue in Sandbox (Resets daily, work not saved)":"Continue in Sandbox (Resets daily, work not saved)","Controls the flow direction of hierarchical layouts":"Controls the flow direction of hierarchical layouts","Convert":"Convert","Convert to Flowchart":"Convert to Flowchart","Convert to hosted chart?":"Convert to hosted chart?","Cookie Policy":"Cookie Policy","Copied SVG code to clipboard":"Copied SVG code to clipboard","Copied {format} to clipboard":["Copied ",["format"]," to clipboard"],"Copy":"Copy","Copy PNG Image":"Copy PNG Image","Copy SVG Code":"Copy SVG Code","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"Copy your mermaid.js code or open it directly in the mermaid.js live editor.","Create":"Create","Create Flowcharts using AI":"Create Flowcharts using AI","Create Unlimited Flowcharts":"Create Unlimited Flowcharts","Create a New Chart":"Create a New Chart","Create a flowchart showing the steps of planning and executing a school fundraising event":"Create a flowchart showing the steps of planning and executing a school fundraising event","Create flowcharts instantly: Type or paste text, see it visualized.":"Create flowcharts instantly: Type or paste text, see it visualized.","Create unlimited diagrams for just $4/month!":"Create unlimited diagrams for just $4/month!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"Create unlimited flowcharts stored in the cloud– accessible anywhere!","Create with AI":"Create with AI","Creating an edge between two nodes is done by indenting the second node below the first":"Creating an edge between two nodes is done by indenting the second node below the first","Curve Style":"Curve Style","Custom CSS":"Custom CSS","Custom Sharing Options":"Custom Sharing Options","Customer Portal":"Customer Portal","Daily Sandbox Editor":"Daily Sandbox Editor","Dark":"Dark","Dark Mode":"Dark Mode","Data Import (Visio, Lucidchart, CSV)":"Data Import (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"Data import feature for complex diagrams","Date":"Date","Design a software development lifecycle flowchart for an agile team":"Design a software development lifecycle flowchart for an agile team","Develop a decision tree for a CEO to evaluate potential new market opportunities":"Develop a decision tree for a CEO to evaluate potential new market opportunities","Direction":"Direction","Dismiss":"Dismiss","Do you have a free trial?":"Do you have a free trial?","Do you offer a non-profit discount?":"Do you offer a non-profit discount?","Do you want to delete this?":"Do you want to delete this?","Document":"Document","Don\'t Lose Your Work":"Don\'t Lose Your Work","Download":"Download","Download JPG":"Download JPG","Download PNG":"Download PNG","Download SVG":"Download SVG","Drag and drop a CSV file here, or click to select a file":"Drag and drop a CSV file here, or click to select a file","Draw an edge from multiple nodes by beginning the line with a reference":"Draw an edge from multiple nodes by beginning the line with a reference","Drop the file here ...":"Drop the file here ...","Each line becomes a node":"Each line becomes a node","Edge ID, Classes, Attributes":"Edge ID, Classes, Attributes","Edge Label":"Edge Label","Edge Label Column":"Edge Label Column","Edge Style":"Edge Style","Edge Text Size":"Edge Text Size","Edge missing indentation":"Edge missing indentation","Edges":"Edges","Edges are declared in the same row as their source node":"Edges are declared in the same row as their source node","Edges are declared in the same row as their target node":"Edges are declared in the same row as their target node","Edges are declared in their own row":"Edges are declared in their own row","Edges can also have ID\'s, classes, and attributes before the label":"Edges can also have ID\'s, classes, and attributes before the label","Edges can be styled with dashed, dotted, or solid lines":"Edges can be styled with dashed, dotted, or solid lines","Edges in Separate Rows":"Edges in Separate Rows","Edges in Source Node Row":"Edges in Source Node Row","Edges in Target Node Row":"Edges in Target Node Row","Edit":"Edit","Edit with AI":"Edit with AI","Editable":"Editable","Editor":"Editor","Email":"Email","Empty":"Empty","Enable to set a consistent height for all nodes":"Enable to set a consistent height for all nodes","Enter your email address and we\'ll send you a magic link to sign in.":"Enter your email address and we\'ll send you a magic link to sign in.","Enter your email address below and we\'ll send you a link to reset your password.":"Enter your email address below and we\'ll send you a link to reset your password.","Equal To":"Equal To","Everything you need to know about Flowchart Fun Pro":"Everything you need to know about Flowchart Fun Pro","Examples":"Examples","Excalidraw":"Excalidraw","Exclusive Office Hours":"Exclusive Office Hours","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month","Explore more":"Explore more","Export":"Export","Export clean diagrams without branding":"Export clean diagrams without branding","Export to PNG & JPG":"Export to PNG & JPG","Export to PNG, JPG, and SVG":"Export to PNG, JPG, and SVG","Feature Breakdown":"Feature Breakdown","Feedback":"Feedback","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.","Fine-tune layouts and visual styles":"Fine-tune layouts and visual styles","Fixed Height":"Fixed Height","Fixed Node Height":"Fixed Node Height","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.","Follow Us on Twitter":"Follow Us on Twitter","Font Family":"Font Family","Forgot your password?":"Forgot your password?","Found a bug? Have a feature request? We would love to hear from you!":"Found a bug? Have a feature request? We would love to hear from you!","Free":"Free","Frequently Asked Questions":"Frequently Asked Questions","Full-screen, read-only, and template sharing":"Full-screen, read-only, and template sharing","Fullscreen":"Fullscreen","General":"General","Generate flowcharts from text automatically":"Generate flowcharts from text automatically","Get Pro Access Now":"Get Pro Access Now","Get Unlimited AI Requests":"Get Unlimited AI Requests","Get rapid responses to your questions":"Get rapid responses to your questions","Get unlimited flowcharts and premium features":"Get unlimited flowcharts and premium features","Go back home":"Go back home","Go to the Editor":"Go to the Editor","Go to your Sandbox":"Go to your Sandbox","Graph":"Graph","Green?":"Green?","Grid":"Grid","Have complex questions or issues? We\'re here to help.":"Have complex questions or issues? We\'re here to help.","Here are some Pro features you can now enjoy.":"Here are some Pro features you can now enjoy.","High-quality exports with embedded fonts":"High-quality exports with embedded fonts","History":"History","Home":"Home","How are edges declared in this data?":"How are edges declared in this data?","How do I cancel my subscription?":"How do I cancel my subscription?","How does AI flowchart generation work?":"How does AI flowchart generation work?","How would you like to save your chart?":"How would you like to save your chart?","I would like to request a new template:":"I would like to request a new template:","ID\'s":"ID\'s","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"If you enjoy using <0>Flowchart Fun, please consider supporting the project","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:","Images":"Images","Import Data":"Import Data","Import data from a CSV file.":"Import data from a CSV file.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.","Import from CSV":"Import from CSV","Import from Visio, Lucidchart, and CSV":"Import from Visio, Lucidchart, and CSV","Import from popular diagram tools":"Import from popular diagram tools","Import your diagram it into Microsoft Visio using one of these CSV files.":"Import your diagram it into Microsoft Visio using one of these CSV files.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:","Indent to connect nodes":"Indent to connect nodes","Info":"Info","Is":"Is","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.","Join 2000+ professionals who\'ve upgraded their workflow":"Join 2000+ professionals who\'ve upgraded their workflow","Join thousands of happy users who love Flowchart Fun":"Join thousands of happy users who love Flowchart Fun","Keep Things Private":"Keep Things Private","Keep changes?":"Keep changes?","Keep practicing":"Keep practicing","Keep your data private on your computer":"Keep your data private on your computer","Language":"Language","Layout":"Layout","Layout Algorithm":"Layout Algorithm","Layout Frozen":"Layout Frozen","Leading References":"Leading References","Learn More":"Learn More","Learn Syntax":"Learn Syntax","Learn about Flowchart Fun Pro":"Learn about Flowchart Fun Pro","Left to Right":"Left to Right","Let us know why you\'re canceling. We\'re always looking to improve.":"Let us know why you\'re canceling. We\'re always looking to improve.","Light":"Light","Light Mode":"Light Mode","Link":"Link","Link back":"Link back","Load":"Load","Load Chart":"Load Chart","Load File":"Load File","Load Files":"Load Files","Load default content":"Load default content","Load from link?":"Load from link?","Load layout and styles":"Load layout and styles","Local File Support":"Local File Support","Local saving for offline access":"Local saving for offline access","Lock Zoom to Graph":"Lock Zoom to Graph","Log In":"Log In","Log Out":"Log Out","Log in to Save":"Log in to Save","Log in to upgrade your account":"Log in to upgrade your account","Make a One-Time Donation":"Make a One-Time Donation","Make publicly accessible":"Make publicly accessible","Manage Billing":"Manage Billing","Map Data":"Map Data","Maximum width of text inside nodes":"Maximum width of text inside nodes","Monthly":"Monthly","Multiple pointers on same line":"Multiple pointers on same line","My dog ate my credit card!":"My dog ate my credit card!","Name Chart":"Name Chart","Name your chart":"Name your chart","New":"New","New Email":"New Email","Next charge":"Next charge","No Edges":"No Edges","No Watermarks!":"No Watermarks!","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.","Node Border Style":"Node Border Style","Node Colors":"Node Colors","Node ID":"Node ID","Node ID, Classes, Attributes":"Node ID, Classes, Attributes","Node Label":"Node Label","Node Shape":"Node Shape","Node Shapes":"Node Shapes","Nodes":"Nodes","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.","Not Empty":"Not Empty","Now you\'re thinking with flowcharts!":"Now you\'re thinking with flowcharts!","Office Hours":"Office Hours","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.","One on One Support":"One on One Support","One-on-One Support":"One-on-One Support","Open Customer Portal":"Open Customer Portal","Operation canceled":"Operation canceled","Or maybe blue!":"Or maybe blue!","Organization Chart":"Organization Chart","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.","Padding":"Padding","Page not found":"Page not found","Password":"Password","Past Due":"Past Due","Paste a document to convert it":"Paste a document to convert it","Paste your document or outline here to convert it into an organized flowchart.":"Paste your document or outline here to convert it into an organized flowchart.","Pasted content detected. Convert to Flowchart Fun syntax?":"Pasted content detected. Convert to Flowchart Fun syntax?","Perfect for docs and quick sharing":"Perfect for docs and quick sharing","Permanent Charts are a Pro Feature":"Permanent Charts are a Pro Feature","Playbook":"Playbook","Pointer and container on same line":"Pointer and container on same line","Priority One-on-One Support":"Priority One-on-One Support","Privacy Policy":"Privacy Policy","Pro tip: Right-click any node to customize its shape and color":"Pro tip: Right-click any node to customize its shape and color","Processing Data":"Processing Data","Processing...":"Processing...","Prompt":"Prompt","Public":"Public","Quick experimentation space that resets daily":"Quick experimentation space that resets daily","Random":"Random","Rapid Deployment Templates":"Rapid Deployment Templates","Rapid Templates":"Rapid Templates","Raster Export (PNG, JPG)":"Raster Export (PNG, JPG)","Rate limit exceeded. Please try again later.":"Rate limit exceeded. Please try again later.","Read-only":"Read-only","Reference by Class":"Reference by Class","Reference by ID":"Reference by ID","Reference by Label":"Reference by Label","References":"References","References are used to create edges between nodes that are created elsewhere in the document":"References are used to create edges between nodes that are created elsewhere in the document","Referencing a node by its exact label":"Referencing a node by its exact label","Referencing a node by its unique ID":"Referencing a node by its unique ID","Referencing multiple nodes with the same assigned class":"Referencing multiple nodes with the same assigned class","Refresh Page":"Refresh Page","Reload to Update":"Reload to Update","Rename":"Rename","Request Magic Link":"Request Magic Link","Request Password Reset":"Request Password Reset","Reset":"Reset","Reset Password":"Reset Password","Resume Subscription":"Resume Subscription","Return":"Return","Right to Left":"Right to Left","Right-click nodes for options":"Right-click nodes for options","Roadmap":"Roadmap","Rotate Label":"Rotate Label","SVG Export is a Pro Feature":"SVG Export is a Pro Feature","Satisfaction guaranteed or first payment refunded":"Satisfaction guaranteed or first payment refunded","Save":"Save","Save time with AI and dictation, making it easy to create diagrams.":"Save time with AI and dictation, making it easy to create diagrams.","Save to Cloud":"Save to Cloud","Save to File":"Save to File","Save your Work":"Save your Work","Schedule personal consultation sessions":"Schedule personal consultation sessions","Secure payment":"Secure payment","See more reviews on Product Hunt":"See more reviews on Product Hunt","Set a consistent height for all nodes":"Set a consistent height for all nodes","Settings":"Settings","Share":"Share","Sign In":"Sign In","Sign in with <0>GitHub":"Sign in with <0>GitHub","Sign in with <0>Google":"Sign in with <0>Google","Sorry! This page is only available in English.":"Sorry! This page is only available in English.","Sorry, there was an error converting the text to a flowchart. Try again later.":"Sorry, there was an error converting the text to a flowchart. Try again later.","Source Arrow Shape":"Source Arrow Shape","Source Column":"Source Column","Source Delimiter":"Source Delimiter","Source Distance From Node":"Source Distance From Node","Source/Target Arrow Shape":"Source/Target Arrow Shape","Spacing":"Spacing","Special Attributes":"Special Attributes","Start":"Start","Start Over":"Start Over","Start faster with use-case specific templates":"Start faster with use-case specific templates","Status":"Status","Step 1":"Step 1","Step 2":"Step 2","Step 3":"Step 3","Store any data associated to a node":"Store any data associated to a node","Style Classes":"Style Classes","Style with classes":"Style with classes","Submit":"Submit","Subscribe to Pro and flowchart the fun way!":"Subscribe to Pro and flowchart the fun way!","Subscription":"Subscription","Subscription Successful!":"Subscription Successful!","Subscription will end":"Subscription will end","Target Arrow Shape":"Target Arrow Shape","Target Column":"Target Column","Target Delimiter":"Target Delimiter","Target Distance From Node":"Target Distance From Node","Text Color":"Text Color","Text Horizontal Offset":"Text Horizontal Offset","Text Leading":"Text Leading","Text Max Width":"Text Max Width","Text Vertical Offset":"Text Vertical Offset","Text followed by colon+space creates an edge with the text as the label":"Text followed by colon+space creates an edge with the text as the label","Text on a line creates a node with the text as the label":"Text on a line creates a node with the text as the label","Thank you for your feedback!":"Thank you for your feedback!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"The best way to change styles is to right-click on a node or an edge and select the style you want.","The column that contains the edge label(s)":"The column that contains the edge label(s)","The column that contains the source node ID(s)":"The column that contains the source node ID(s)","The column that contains the target node ID(s)":"The column that contains the target node ID(s)","The delimiter used to separate multiple source nodes":"The delimiter used to separate multiple source nodes","The delimiter used to separate multiple target nodes":"The delimiter used to separate multiple target nodes","The possible shapes are:":"The possible shapes are:","Theme":"Theme","Theme Customization Editor":"Theme Customization Editor","Theme Editor":"Theme Editor","There are no edges in this data":"There are no edges in this data","This action cannot be undone.":"This action cannot be undone.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"This feature is only available to pro users. <0>Become a pro user to unlock it.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"This may take between 30 seconds and 2 minutes depending on the length of your input.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!","This will replace the current content.":"This will replace the current content.","This will replace your current chart content with the template content.":"This will replace your current chart content with the template content.","This will replace your current sandbox.":"This will replace your current sandbox.","Time to decide":"Time to decide","Tip":"Tip","To fix this change one of the edge IDs":"To fix this change one of the edge IDs","To fix this change one of the node IDs":"To fix this change one of the node IDs","To fix this move one pointer to the next line":"To fix this move one pointer to the next line","To fix this start the container <0/> on a different line":"To fix this start the container <0/> on a different line","To learn more about why we require you to log in, please read <0>this blog post.":"To learn more about why we require you to log in, please read <0>this blog post.","Top to Bottom":"Top to Bottom","Transform Your Ideas into Professional Diagrams in Seconds":"Transform Your Ideas into Professional Diagrams in Seconds","Transform text into diagrams instantly":"Transform text into diagrams instantly","Trusted by Professionals and Academics":"Trusted by Professionals and Academics","Try AI":"Try AI","Try again":"Try again","Turn your ideas into professional diagrams in seconds":"Turn your ideas into professional diagrams in seconds","Two edges have the same ID":"Two edges have the same ID","Two nodes have the same ID":"Two nodes have the same ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.","Unescaped special character":"Unescaped special character","Unique text value to identify a node":"Unique text value to identify a node","Unknown":"Unknown","Unknown Parsing Error":"Unknown Parsing Error","Unlimited Flowcharts":"Unlimited Flowcharts","Unlimited Permanent Flowcharts":"Unlimited Permanent Flowcharts","Unlimited cloud-saved flowcharts":"Unlimited cloud-saved flowcharts","Unlock AI Features and never lose your work with a Pro account.":"Unlock AI Features and never lose your work with a Pro account.","Unlock Unlimited AI Flowcharts":"Unlock Unlimited AI Flowcharts","Unpaid":"Unpaid","Update Email":"Update Email","Upgrade Now - Save My Work":"Upgrade Now - Save My Work","Upgrade to Flowchart Fun Pro and unlock:":"Upgrade to Flowchart Fun Pro and unlock:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.","Upgrade to Pro":"Upgrade to Pro","Upgrade to Pro for $2/month":"Upgrade to Pro for $2/month","Upload your File":"Upload your File","Use Custom CSS Only":"Use Custom CSS Only","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!","Use classes to group nodes":"Use classes to group nodes","Use the attribute <0>href to set a link on a node that opens in a new tab.":"Use the attribute <0>href to set a link on a node that opens in a new tab.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"Use the attributes <0>w and <1>h to explicitly set the width and height of a node.","Use the customer portal to change your billing information.":"Use the customer portal to change your billing information.","Use these settings to adapt the look and behavior of your flowcharts":"Use these settings to adapt the look and behavior of your flowcharts","Use this file for org charts, hierarchies, and other organizational structures.":"Use this file for org charts, hierarchies, and other organizational structures.","Use this file for sequences, processes, and workflows.":"Use this file for sequences, processes, and workflows.","Use this mode to modify and enhance your current chart.":"Use this mode to modify and enhance your current chart.","User":"User","Vector Export (SVG)":"Vector Export (SVG)","View on Github":"View on Github","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'","Watermark-Free Diagrams":"Watermark-Free Diagrams","Watermarks":"Watermarks","Welcome to Flowchart Fun":"Welcome to Flowchart Fun","What our users are saying":"What our users are saying","What\'s next?":"What\'s next?","What\'s this?":"What\'s this?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.","Width":"Width","Width and Height":"Width and Height","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.","Would you like to continue?":"Would you like to continue?","Would you like to suggest a new example?":"Would you like to suggest a new example?","Wrap text in parentheses to connect to any node":"Wrap text in parentheses to connect to any node","Write like an outline":"Write like an outline","Write your prompt here or click to enable the microphone, then press and hold to record.":"Write your prompt here or click to enable the microphone, then press and hold to record.","Yearly":"Yearly","Yes, Replace Content":"Yes, Replace Content","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["You are about to add ",["numNodes"]," nodes and ",["numEdges"]," edges to your graph."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.","You need to log in to access this page.":"You need to log in to access this page.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know","You\'re doing great!":"You\'re doing great!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!","Your Charts":"Your Charts","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.","Your subscription is <0>{statusDisplay}.":["Your subscription is <0>",["statusDisplay"],"."],"Zoom In":"Zoom In","Zoom Out":"Zoom Out","month":"month","or":"or","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' + '{"1 Temporary Flowchart":"1 Temporary Flowchart","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row","<0>Sign In / <1>Sign Up with email and password":"<0>Sign In / <1>Sign Up with email and password","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.","A new version of the app is available. Please reload to update.":"A new version of the app is available. Please reload to update.","AI Creation & Editing":"AI Creation & Editing","AI-Powered Flowchart Creation":"AI-Powered Flowchart Creation","AI-powered editing to supercharge your workflow":"AI-powered editing to supercharge your workflow","About":"About","Account":"Account","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`","Add some steps":"Add some steps","Advanced":"Advanced","Align Horizontally":"Align Horizontally","Align Nodes":"Align Nodes","Align Vertically":"Align Vertically","All this for just $4/month - less than your daily coffee ☕":"All this for just $4/month - less than your daily coffee ☕","Amount":"Amount","An error occurred. Try resubmitting or email {0} directly.":["An error occurred. Try resubmitting or email ",["0"]," directly."],"Appearance":"Appearance","Are my flowcharts private?":"Are my flowcharts private?","Are there usage limits?":"Are there usage limits?","Are you sure you want to delete the flowchart \\"{0}\\"? This action cannot be undone.":["Are you sure you want to delete the flowchart \\"",["0"],"\\"? This action cannot be undone."],"Are you sure you want to delete the folder \\"{0}\\" and all its contents? This action cannot be undone.":["Are you sure you want to delete the folder \\"",["0"],"\\" and all its contents? This action cannot be undone."],"Are you sure you want to delete the folder \\"{0}\\"? This action cannot be undone.":["Are you sure you want to delete the folder \\"",["0"],"\\"? This action cannot be undone."],"Are you sure?":"Are you sure?","Arrow Size":"Arrow Size","Attributes":"Attributes","August 2023":"August 2023","Back":"Back","Back To Editor":"Back To Editor","Background Color":"Background Color","Basic Flowchart":"Basic Flowchart","Become a Github Sponsor":"Become a Github Sponsor","Become a Pro User":"Become a Pro User","Begin your journey":"Begin your journey","Billed annually at $24":"Billed annually at $24","Billed monthly at $4":"Billed monthly at $4","Blog":"Blog","Book a Meeting":"Book a Meeting","Border Color":"Border Color","Border Width":"Border Width","Bottom to Top":"Bottom to Top","Breadthfirst":"Breadthfirst","Build your personal flowchart library":"Build your personal flowchart library","Cancel":"Cancel","Cancel anytime":"Cancel anytime","Cancel your subscription. Your hosted charts will become read-only.":"Cancel your subscription. Your hosted charts will become read-only.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.","Certain attributes can be used to customize the appearance or functionality of elements.":"Certain attributes can be used to customize the appearance or functionality of elements.","Change Email Address":"Change Email Address","Changelog":"Changelog","Charts":"Charts","Check out the guide:":"Check out the guide:","Check your email for a link to log in.<0/>You can close this window.":"Check your email for a link to log in.<0/>You can close this window.","Choose":"Choose","Choose Template":"Choose Template","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .","Choose how edges connect between nodes":"Choose how edges connect between nodes","Choose how nodes are automatically arranged in your flowchart":"Choose how nodes are automatically arranged in your flowchart","Circle":"Circle","Classes":"Classes","Clear":"Clear","Clear text?":"Clear text?","Clone":"Clone","Clone Flowchart":"Clone Flowchart","Close":"Close","Color":"Color","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"Colors include red, orange, yellow, blue, purple, black, white, and gray.","Column":"Column","Comment":"Comment","Compare our plans and find the perfect fit for your flowcharting needs":"Compare our plans and find the perfect fit for your flowcharting needs","Concentric":"Concentric","Confirm New Email":"Confirm New Email","Confirm your email address to sign in.":"Confirm your email address to sign in.","Connect your Data":"Connect your Data","Containers":"Containers","Containers are nodes that contain other nodes. They are declared using curly braces.":"Containers are nodes that contain other nodes. They are declared using curly braces.","Continue":"Continue","Continue in Sandbox (Resets daily, work not saved)":"Continue in Sandbox (Resets daily, work not saved)","Controls the flow direction of hierarchical layouts":"Controls the flow direction of hierarchical layouts","Convert":"Convert","Convert to Flowchart":"Convert to Flowchart","Convert to hosted chart?":"Convert to hosted chart?","Cookie Policy":"Cookie Policy","Copied SVG code to clipboard":"Copied SVG code to clipboard","Copied {format} to clipboard":["Copied ",["format"]," to clipboard"],"Copy":"Copy","Copy PNG Image":"Copy PNG Image","Copy SVG Code":"Copy SVG Code","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"Copy your mermaid.js code or open it directly in the mermaid.js live editor.","Create":"Create","Create Flowcharts using AI":"Create Flowcharts using AI","Create Unlimited Flowcharts":"Create Unlimited Flowcharts","Create a New Chart":"Create a New Chart","Create a flowchart showing the steps of planning and executing a school fundraising event":"Create a flowchart showing the steps of planning and executing a school fundraising event","Create a new flowchart to get started or organize your work with folders.":"Create a new flowchart to get started or organize your work with folders.","Create flowcharts instantly: Type or paste text, see it visualized.":"Create flowcharts instantly: Type or paste text, see it visualized.","Create unlimited diagrams for just $4/month!":"Create unlimited diagrams for just $4/month!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"Create unlimited flowcharts stored in the cloud– accessible anywhere!","Create with AI":"Create with AI","Created Date":"Created Date","Creating an edge between two nodes is done by indenting the second node below the first":"Creating an edge between two nodes is done by indenting the second node below the first","Curve Style":"Curve Style","Custom CSS":"Custom CSS","Custom Sharing Options":"Custom Sharing Options","Customer Portal":"Customer Portal","Daily Sandbox Editor":"Daily Sandbox Editor","Dark":"Dark","Dark Mode":"Dark Mode","Data Import (Visio, Lucidchart, CSV)":"Data Import (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"Data import feature for complex diagrams","Date":"Date","Delete":"Delete","Delete {0}":["Delete ",["0"]],"Design a software development lifecycle flowchart for an agile team":"Design a software development lifecycle flowchart for an agile team","Develop a decision tree for a CEO to evaluate potential new market opportunities":"Develop a decision tree for a CEO to evaluate potential new market opportunities","Direction":"Direction","Dismiss":"Dismiss","Do you have a free trial?":"Do you have a free trial?","Do you offer a non-profit discount?":"Do you offer a non-profit discount?","Do you want to delete this?":"Do you want to delete this?","Document":"Document","Don\'t Lose Your Work":"Don\'t Lose Your Work","Download":"Download","Download JPG":"Download JPG","Download PNG":"Download PNG","Download SVG":"Download SVG","Drag and drop a CSV file here, or click to select a file":"Drag and drop a CSV file here, or click to select a file","Draw an edge from multiple nodes by beginning the line with a reference":"Draw an edge from multiple nodes by beginning the line with a reference","Drop the file here ...":"Drop the file here ...","Each line becomes a node":"Each line becomes a node","Edge ID, Classes, Attributes":"Edge ID, Classes, Attributes","Edge Label":"Edge Label","Edge Label Column":"Edge Label Column","Edge Style":"Edge Style","Edge Text Size":"Edge Text Size","Edge missing indentation":"Edge missing indentation","Edges":"Edges","Edges are declared in the same row as their source node":"Edges are declared in the same row as their source node","Edges are declared in the same row as their target node":"Edges are declared in the same row as their target node","Edges are declared in their own row":"Edges are declared in their own row","Edges can also have ID\'s, classes, and attributes before the label":"Edges can also have ID\'s, classes, and attributes before the label","Edges can be styled with dashed, dotted, or solid lines":"Edges can be styled with dashed, dotted, or solid lines","Edges in Separate Rows":"Edges in Separate Rows","Edges in Source Node Row":"Edges in Source Node Row","Edges in Target Node Row":"Edges in Target Node Row","Edit":"Edit","Edit with AI":"Edit with AI","Editable":"Editable","Editor":"Editor","Email":"Email","Empty":"Empty","Enable to set a consistent height for all nodes":"Enable to set a consistent height for all nodes","Enter a name for the cloned flowchart.":"Enter a name for the cloned flowchart.","Enter a name for the new folder.":"Enter a name for the new folder.","Enter a new name for the {0}.":["Enter a new name for the ",["0"],"."],"Enter your email address and we\'ll send you a magic link to sign in.":"Enter your email address and we\'ll send you a magic link to sign in.","Enter your email address below and we\'ll send you a link to reset your password.":"Enter your email address below and we\'ll send you a link to reset your password.","Equal To":"Equal To","Everything you need to know about Flowchart Fun Pro":"Everything you need to know about Flowchart Fun Pro","Examples":"Examples","Excalidraw":"Excalidraw","Exclusive Office Hours":"Exclusive Office Hours","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month","Explore more":"Explore more","Export":"Export","Export clean diagrams without branding":"Export clean diagrams without branding","Export to PNG & JPG":"Export to PNG & JPG","Export to PNG, JPG, and SVG":"Export to PNG, JPG, and SVG","Feature Breakdown":"Feature Breakdown","Feedback":"Feedback","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.","Fine-tune layouts and visual styles":"Fine-tune layouts and visual styles","Fixed Height":"Fixed Height","Fixed Node Height":"Fixed Node Height","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.","Follow Us on Twitter":"Follow Us on Twitter","Font Family":"Font Family","Forgot your password?":"Forgot your password?","Found a bug? Have a feature request? We would love to hear from you!":"Found a bug? Have a feature request? We would love to hear from you!","Free":"Free","Frequently Asked Questions":"Frequently Asked Questions","Full-screen, read-only, and template sharing":"Full-screen, read-only, and template sharing","Fullscreen":"Fullscreen","General":"General","Generate flowcharts from text automatically":"Generate flowcharts from text automatically","Get Pro Access Now":"Get Pro Access Now","Get Unlimited AI Requests":"Get Unlimited AI Requests","Get rapid responses to your questions":"Get rapid responses to your questions","Get unlimited flowcharts and premium features":"Get unlimited flowcharts and premium features","Go back home":"Go back home","Go to the Editor":"Go to the Editor","Go to your Sandbox":"Go to your Sandbox","Graph":"Graph","Green?":"Green?","Grid":"Grid","Have complex questions or issues? We\'re here to help.":"Have complex questions or issues? We\'re here to help.","Here are some Pro features you can now enjoy.":"Here are some Pro features you can now enjoy.","High-quality exports with embedded fonts":"High-quality exports with embedded fonts","History":"History","Home":"Home","How are edges declared in this data?":"How are edges declared in this data?","How do I cancel my subscription?":"How do I cancel my subscription?","How does AI flowchart generation work?":"How does AI flowchart generation work?","How would you like to save your chart?":"How would you like to save your chart?","I would like to request a new template:":"I would like to request a new template:","ID\'s":"ID\'s","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"If you enjoy using <0>Flowchart Fun, please consider supporting the project","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:","Images":"Images","Import Data":"Import Data","Import data from a CSV file.":"Import data from a CSV file.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.","Import from CSV":"Import from CSV","Import from Visio, Lucidchart, and CSV":"Import from Visio, Lucidchart, and CSV","Import from popular diagram tools":"Import from popular diagram tools","Import your diagram it into Microsoft Visio using one of these CSV files.":"Import your diagram it into Microsoft Visio using one of these CSV files.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:","Indent to connect nodes":"Indent to connect nodes","Info":"Info","Is":"Is","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.","Join 2000+ professionals who\'ve upgraded their workflow":"Join 2000+ professionals who\'ve upgraded their workflow","Join thousands of happy users who love Flowchart Fun":"Join thousands of happy users who love Flowchart Fun","Keep Things Private":"Keep Things Private","Keep changes?":"Keep changes?","Keep practicing":"Keep practicing","Keep your data private on your computer":"Keep your data private on your computer","Language":"Language","Layout":"Layout","Layout Algorithm":"Layout Algorithm","Layout Frozen":"Layout Frozen","Leading References":"Leading References","Learn More":"Learn More","Learn Syntax":"Learn Syntax","Learn about Flowchart Fun Pro":"Learn about Flowchart Fun Pro","Left to Right":"Left to Right","Let us know why you\'re canceling. We\'re always looking to improve.":"Let us know why you\'re canceling. We\'re always looking to improve.","Light":"Light","Light Mode":"Light Mode","Link":"Link","Link back":"Link back","Load":"Load","Load Chart":"Load Chart","Load File":"Load File","Load Files":"Load Files","Load default content":"Load default content","Load from link?":"Load from link?","Load layout and styles":"Load layout and styles","Loading...":"Loading...","Local File Support":"Local File Support","Local saving for offline access":"Local saving for offline access","Lock Zoom to Graph":"Lock Zoom to Graph","Log In":"Log In","Log Out":"Log Out","Log in to Save":"Log in to Save","Log in to upgrade your account":"Log in to upgrade your account","Make a One-Time Donation":"Make a One-Time Donation","Make publicly accessible":"Make publicly accessible","Manage Billing":"Manage Billing","Map Data":"Map Data","Maximum width of text inside nodes":"Maximum width of text inside nodes","Monthly":"Monthly","Move":"Move","Move {0}":["Move ",["0"]],"Multiple pointers on same line":"Multiple pointers on same line","My dog ate my credit card!":"My dog ate my credit card!","Name":"Name","Name Chart":"Name Chart","Name your chart":"Name your chart","New":"New","New Email":"New Email","New Flowchart":"New Flowchart","New Folder":"New Folder","Next charge":"Next charge","No Edges":"No Edges","No Folder (Root)":"No Folder (Root)","No Watermarks!":"No Watermarks!","No charts yet":"No charts yet","No items in this folder":"No items in this folder","No matching charts found":"No matching charts found","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.","Node Border Style":"Node Border Style","Node Colors":"Node Colors","Node ID":"Node ID","Node ID, Classes, Attributes":"Node ID, Classes, Attributes","Node Label":"Node Label","Node Shape":"Node Shape","Node Shapes":"Node Shapes","Nodes":"Nodes","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.","Not Empty":"Not Empty","Now you\'re thinking with flowcharts!":"Now you\'re thinking with flowcharts!","Office Hours":"Office Hours","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.","One on One Support":"One on One Support","One-on-One Support":"One-on-One Support","Open Customer Portal":"Open Customer Portal","Operation canceled":"Operation canceled","Or maybe blue!":"Or maybe blue!","Organization Chart":"Organization Chart","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.","Padding":"Padding","Page not found":"Page not found","Password":"Password","Past Due":"Past Due","Paste a document to convert it":"Paste a document to convert it","Paste your document or outline here to convert it into an organized flowchart.":"Paste your document or outline here to convert it into an organized flowchart.","Pasted content detected. Convert to Flowchart Fun syntax?":"Pasted content detected. Convert to Flowchart Fun syntax?","Perfect for docs and quick sharing":"Perfect for docs and quick sharing","Permanent Charts are a Pro Feature":"Permanent Charts are a Pro Feature","Playbook":"Playbook","Pointer and container on same line":"Pointer and container on same line","Priority One-on-One Support":"Priority One-on-One Support","Privacy Policy":"Privacy Policy","Pro tip: Right-click any node to customize its shape and color":"Pro tip: Right-click any node to customize its shape and color","Processing Data":"Processing Data","Processing...":"Processing...","Prompt":"Prompt","Public":"Public","Quick experimentation space that resets daily":"Quick experimentation space that resets daily","Random":"Random","Rapid Deployment Templates":"Rapid Deployment Templates","Rapid Templates":"Rapid Templates","Raster Export (PNG, JPG)":"Raster Export (PNG, JPG)","Rate limit exceeded. Please try again later.":"Rate limit exceeded. Please try again later.","Read-only":"Read-only","Reference by Class":"Reference by Class","Reference by ID":"Reference by ID","Reference by Label":"Reference by Label","References":"References","References are used to create edges between nodes that are created elsewhere in the document":"References are used to create edges between nodes that are created elsewhere in the document","Referencing a node by its exact label":"Referencing a node by its exact label","Referencing a node by its unique ID":"Referencing a node by its unique ID","Referencing multiple nodes with the same assigned class":"Referencing multiple nodes with the same assigned class","Refresh Page":"Refresh Page","Reload to Update":"Reload to Update","Rename":"Rename","Rename {0}":["Rename ",["0"]],"Request Magic Link":"Request Magic Link","Request Password Reset":"Request Password Reset","Reset":"Reset","Reset Password":"Reset Password","Resume Subscription":"Resume Subscription","Return":"Return","Right to Left":"Right to Left","Right-click nodes for options":"Right-click nodes for options","Roadmap":"Roadmap","Rotate Label":"Rotate Label","SVG Export is a Pro Feature":"SVG Export is a Pro Feature","Satisfaction guaranteed or first payment refunded":"Satisfaction guaranteed or first payment refunded","Save":"Save","Save time with AI and dictation, making it easy to create diagrams.":"Save time with AI and dictation, making it easy to create diagrams.","Save to Cloud":"Save to Cloud","Save to File":"Save to File","Save your Work":"Save your Work","Schedule personal consultation sessions":"Schedule personal consultation sessions","Secure payment":"Secure payment","See more reviews on Product Hunt":"See more reviews on Product Hunt","Select a destination folder for \\"{0}\\".":["Select a destination folder for \\"",["0"],"\\"."],"Set a consistent height for all nodes":"Set a consistent height for all nodes","Settings":"Settings","Share":"Share","Sign In":"Sign In","Sign in with <0>GitHub":"Sign in with <0>GitHub","Sign in with <0>Google":"Sign in with <0>Google","Sorry! This page is only available in English.":"Sorry! This page is only available in English.","Sorry, there was an error converting the text to a flowchart. Try again later.":"Sorry, there was an error converting the text to a flowchart. Try again later.","Sort Ascending":"Sort Ascending","Sort Descending":"Sort Descending","Sort by {0}":["Sort by ",["0"]],"Source Arrow Shape":"Source Arrow Shape","Source Column":"Source Column","Source Delimiter":"Source Delimiter","Source Distance From Node":"Source Distance From Node","Source/Target Arrow Shape":"Source/Target Arrow Shape","Spacing":"Spacing","Special Attributes":"Special Attributes","Start":"Start","Start Over":"Start Over","Start faster with use-case specific templates":"Start faster with use-case specific templates","Status":"Status","Step 1":"Step 1","Step 2":"Step 2","Step 3":"Step 3","Store any data associated to a node":"Store any data associated to a node","Style Classes":"Style Classes","Style with classes":"Style with classes","Submit":"Submit","Subscribe to Pro and flowchart the fun way!":"Subscribe to Pro and flowchart the fun way!","Subscription":"Subscription","Subscription Successful!":"Subscription Successful!","Subscription will end":"Subscription will end","Target Arrow Shape":"Target Arrow Shape","Target Column":"Target Column","Target Delimiter":"Target Delimiter","Target Distance From Node":"Target Distance From Node","Text Color":"Text Color","Text Horizontal Offset":"Text Horizontal Offset","Text Leading":"Text Leading","Text Max Width":"Text Max Width","Text Vertical Offset":"Text Vertical Offset","Text followed by colon+space creates an edge with the text as the label":"Text followed by colon+space creates an edge with the text as the label","Text on a line creates a node with the text as the label":"Text on a line creates a node with the text as the label","Thank you for your feedback!":"Thank you for your feedback!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"The best way to change styles is to right-click on a node or an edge and select the style you want.","The column that contains the edge label(s)":"The column that contains the edge label(s)","The column that contains the source node ID(s)":"The column that contains the source node ID(s)","The column that contains the target node ID(s)":"The column that contains the target node ID(s)","The delimiter used to separate multiple source nodes":"The delimiter used to separate multiple source nodes","The delimiter used to separate multiple target nodes":"The delimiter used to separate multiple target nodes","The possible shapes are:":"The possible shapes are:","Theme":"Theme","Theme Customization Editor":"Theme Customization Editor","Theme Editor":"Theme Editor","There are no edges in this data":"There are no edges in this data","This action cannot be undone.":"This action cannot be undone.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"This feature is only available to pro users. <0>Become a pro user to unlock it.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"This may take between 30 seconds and 2 minutes depending on the length of your input.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!","This will replace the current content.":"This will replace the current content.","This will replace your current chart content with the template content.":"This will replace your current chart content with the template content.","This will replace your current sandbox.":"This will replace your current sandbox.","Time to decide":"Time to decide","Tip":"Tip","To fix this change one of the edge IDs":"To fix this change one of the edge IDs","To fix this change one of the node IDs":"To fix this change one of the node IDs","To fix this move one pointer to the next line":"To fix this move one pointer to the next line","To fix this start the container <0/> on a different line":"To fix this start the container <0/> on a different line","To learn more about why we require you to log in, please read <0>this blog post.":"To learn more about why we require you to log in, please read <0>this blog post.","Top to Bottom":"Top to Bottom","Transform Your Ideas into Professional Diagrams in Seconds":"Transform Your Ideas into Professional Diagrams in Seconds","Transform text into diagrams instantly":"Transform text into diagrams instantly","Trusted by Professionals and Academics":"Trusted by Professionals and Academics","Try AI":"Try AI","Try adjusting your search or filters to find what you\'re looking for.":"Try adjusting your search or filters to find what you\'re looking for.","Try again":"Try again","Turn your ideas into professional diagrams in seconds":"Turn your ideas into professional diagrams in seconds","Two edges have the same ID":"Two edges have the same ID","Two nodes have the same ID":"Two nodes have the same ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.","Unescaped special character":"Unescaped special character","Unique text value to identify a node":"Unique text value to identify a node","Unknown":"Unknown","Unknown Parsing Error":"Unknown Parsing Error","Unlimited Flowcharts":"Unlimited Flowcharts","Unlimited Permanent Flowcharts":"Unlimited Permanent Flowcharts","Unlimited cloud-saved flowcharts":"Unlimited cloud-saved flowcharts","Unlock AI Features and never lose your work with a Pro account.":"Unlock AI Features and never lose your work with a Pro account.","Unlock Unlimited AI Flowcharts":"Unlock Unlimited AI Flowcharts","Unpaid":"Unpaid","Update Email":"Update Email","Updated Date":"Updated Date","Upgrade Now - Save My Work":"Upgrade Now - Save My Work","Upgrade to Flowchart Fun Pro and unlock:":"Upgrade to Flowchart Fun Pro and unlock:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.","Upgrade to Pro":"Upgrade to Pro","Upgrade to Pro for $2/month":"Upgrade to Pro for $2/month","Upload your File":"Upload your File","Use Custom CSS Only":"Use Custom CSS Only","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!","Use classes to group nodes":"Use classes to group nodes","Use the attribute <0>href to set a link on a node that opens in a new tab.":"Use the attribute <0>href to set a link on a node that opens in a new tab.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"Use the attributes <0>w and <1>h to explicitly set the width and height of a node.","Use the customer portal to change your billing information.":"Use the customer portal to change your billing information.","Use these settings to adapt the look and behavior of your flowcharts":"Use these settings to adapt the look and behavior of your flowcharts","Use this file for org charts, hierarchies, and other organizational structures.":"Use this file for org charts, hierarchies, and other organizational structures.","Use this file for sequences, processes, and workflows.":"Use this file for sequences, processes, and workflows.","Use this mode to modify and enhance your current chart.":"Use this mode to modify and enhance your current chart.","User":"User","Vector Export (SVG)":"Vector Export (SVG)","View on Github":"View on Github","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'","Watermark-Free Diagrams":"Watermark-Free Diagrams","Watermarks":"Watermarks","Welcome to Flowchart Fun":"Welcome to Flowchart Fun","What our users are saying":"What our users are saying","What\'s next?":"What\'s next?","What\'s this?":"What\'s this?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.","Width":"Width","Width and Height":"Width and Height","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.","Would you like to continue?":"Would you like to continue?","Would you like to suggest a new example?":"Would you like to suggest a new example?","Wrap text in parentheses to connect to any node":"Wrap text in parentheses to connect to any node","Write like an outline":"Write like an outline","Write your prompt here or click to enable the microphone, then press and hold to record.":"Write your prompt here or click to enable the microphone, then press and hold to record.","Yearly":"Yearly","Yes, Replace Content":"Yes, Replace Content","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["You are about to add ",["numNodes"]," nodes and ",["numEdges"]," edges to your graph."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.","You need to log in to access this page.":"You need to log in to access this page.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know","You\'re doing great!":"You\'re doing great!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!","Your Charts":"Your Charts","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.","Your subscription is <0>{statusDisplay}.":["Your subscription is <0>",["statusDisplay"],"."],"Zoom In":"Zoom In","Zoom Out":"Zoom Out","month":"month","or":"or","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' ), }; diff --git a/app/src/locales/en/messages.po b/app/src/locales/en/messages.po index ace0481cc..086e57828 100644 --- a/app/src/locales/en/messages.po +++ b/app/src/locales/en/messages.po @@ -110,6 +110,18 @@ msgstr "Are my flowcharts private?" msgid "Are there usage limits?" msgstr "Are there usage limits?" +#: src/components/charts/ChartModals.tsx:50 +msgid "Are you sure you want to delete the flowchart \"{0}\"? This action cannot be undone." +msgstr "Are you sure you want to delete the flowchart \"{0}\"? This action cannot be undone." + +#: src/components/charts/ChartModals.tsx:39 +msgid "Are you sure you want to delete the folder \"{0}\" and all its contents? This action cannot be undone." +msgstr "Are you sure you want to delete the folder \"{0}\" and all its contents? This action cannot be undone." + +#: src/components/charts/ChartModals.tsx:44 +msgid "Are you sure you want to delete the folder \"{0}\"? This action cannot be undone." +msgstr "Are you sure you want to delete the folder \"{0}\"? This action cannot be undone." + #: src/components/LoadTemplateDialog.tsx:121 msgid "Are you sure?" msgstr "Are you sure?" @@ -204,6 +216,11 @@ msgstr "Build your personal flowchart library" #: src/components/ImportDataDialog.tsx:698 #: src/components/LoadTemplateDialog.tsx:149 #: src/components/RenameButton.tsx:160 +#: src/components/charts/ChartModals.tsx:59 +#: src/components/charts/ChartModals.tsx:129 +#: src/components/charts/ChartModals.tsx:207 +#: src/components/charts/ChartModals.tsx:277 +#: src/components/charts/ChartModals.tsx:440 #: src/pages/Account.tsx:323 #: src/pages/Account.tsx:335 #: src/pages/Account.tsx:426 @@ -287,9 +304,15 @@ msgid "Clear text?" msgstr "Clear text?" #: src/components/CloneButton.tsx:48 +#: src/components/charts/ChartListItem.tsx:191 +#: src/components/charts/ChartModals.tsx:136 msgid "Clone" msgstr "Clone" +#: src/components/charts/ChartModals.tsx:111 +msgid "Clone Flowchart" +msgstr "Clone Flowchart" + #: src/components/LearnSyntaxDialog.tsx:413 msgid "Close" msgstr "Close" @@ -398,6 +421,7 @@ msgstr "Copy your Excalidraw code and paste it into <0>excalidraw.com to edi msgid "Copy your mermaid.js code or open it directly in the mermaid.js live editor." msgstr "Copy your mermaid.js code or open it directly in the mermaid.js live editor." +#: src/components/charts/ChartModals.tsx:284 #: src/pages/New.tsx:184 msgid "Create" msgstr "Create" @@ -418,6 +442,10 @@ msgstr "Create a New Chart" msgid "Create a flowchart showing the steps of planning and executing a school fundraising event" msgstr "Create a flowchart showing the steps of planning and executing a school fundraising event" +#: src/components/charts/EmptyState.tsx:41 +msgid "Create a new flowchart to get started or organize your work with folders." +msgstr "Create a new flowchart to get started or organize your work with folders." + #: src/components/FlowchartHeader.tsx:44 msgid "Create flowcharts instantly: Type or paste text, see it visualized." msgstr "Create flowcharts instantly: Type or paste text, see it visualized." @@ -434,6 +462,10 @@ msgstr "Create unlimited flowcharts stored in the cloud– accessible anywhere!" msgid "Create with AI" msgstr "Create with AI" +#: src/components/charts/ChartsToolbar.tsx:103 +msgid "Created Date" +msgstr "Created Date" + #: src/components/LearnSyntaxDialog.tsx:167 msgid "Creating an edge between two nodes is done by indenting the second node below the first" msgstr "Creating an edge between two nodes is done by indenting the second node below the first" @@ -481,6 +513,15 @@ msgstr "Data import feature for complex diagrams" msgid "Date" msgstr "Date" +#: src/components/charts/ChartListItem.tsx:205 +#: src/components/charts/ChartModals.tsx:62 +msgid "Delete" +msgstr "Delete" + +#: src/components/charts/ChartModals.tsx:33 +msgid "Delete {0}" +msgstr "Delete {0}" + #: src/pages/createExamples.tsx:8 msgid "Design a software development lifecycle flowchart for an agile team" msgstr "Design a software development lifecycle flowchart for an agile team" @@ -653,6 +694,18 @@ msgstr "Empty" msgid "Enable to set a consistent height for all nodes" msgstr "Enable to set a consistent height for all nodes" +#: src/components/charts/ChartModals.tsx:115 +msgid "Enter a name for the cloned flowchart." +msgstr "Enter a name for the cloned flowchart." + +#: src/components/charts/ChartModals.tsx:263 +msgid "Enter a name for the new folder." +msgstr "Enter a name for the new folder." + +#: src/components/charts/ChartModals.tsx:191 +msgid "Enter a new name for the {0}." +msgstr "Enter a new name for the {0}." + #: src/pages/LogIn.tsx:138 msgid "Enter your email address and we'll send you a magic link to sign in." msgstr "Enter your email address and we'll send you a magic link to sign in." @@ -803,6 +856,7 @@ msgid "Go to the Editor" msgstr "Go to the Editor" #: src/pages/Charts.tsx:285 +#: src/pages/MyCharts.tsx:241 msgid "Go to your Sandbox" msgstr "Go to your Sandbox" @@ -1048,6 +1102,10 @@ msgstr "Load from link?" msgid "Load layout and styles" msgstr "Load layout and styles" +#: src/components/charts/ChartListItem.tsx:236 +msgid "Loading..." +msgstr "Loading..." + #: src/components/FeatureBreakdown.tsx:83 #: src/pages/Pricing.tsx:63 msgid "Local File Support" @@ -1103,6 +1161,15 @@ msgstr "Maximum width of text inside nodes" msgid "Monthly" msgstr "Monthly" +#: src/components/charts/ChartListItem.tsx:179 +#: src/components/charts/ChartModals.tsx:443 +msgid "Move" +msgstr "Move" + +#: src/components/charts/ChartModals.tsx:398 +msgid "Move {0}" +msgstr "Move {0}" + #: src/lib/parserErrors.tsx:29 msgid "Multiple pointers on same line" msgstr "Multiple pointers on same line" @@ -1111,6 +1178,10 @@ msgstr "Multiple pointers on same line" msgid "My dog ate my credit card!" msgstr "My dog ate my credit card!" +#: src/components/charts/ChartsToolbar.tsx:97 +msgid "Name" +msgstr "Name" + #: src/pages/New.tsx:108 #: src/pages/New.tsx:116 msgid "Name Chart" @@ -1130,6 +1201,17 @@ msgstr "New" msgid "New Email" msgstr "New Email" +#: src/components/charts/ChartsToolbar.tsx:139 +#: src/components/charts/EmptyState.tsx:55 +msgid "New Flowchart" +msgstr "New Flowchart" + +#: src/components/charts/ChartModals.tsx:259 +#: src/components/charts/ChartsToolbar.tsx:147 +#: src/components/charts/EmptyState.tsx:62 +msgid "New Folder" +msgstr "New Folder" + #: src/pages/Account.tsx:171 #: src/pages/Account.tsx:472 msgid "Next charge" @@ -1139,10 +1221,26 @@ msgstr "Next charge" msgid "No Edges" msgstr "No Edges" +#: src/components/charts/ChartModals.tsx:429 +msgid "No Folder (Root)" +msgstr "No Folder (Root)" + #: src/pages/Pricing.tsx:67 msgid "No Watermarks!" msgstr "No Watermarks!" +#: src/components/charts/EmptyState.tsx:30 +msgid "No charts yet" +msgstr "No charts yet" + +#: src/components/charts/ChartListItem.tsx:253 +msgid "No items in this folder" +msgstr "No items in this folder" + +#: src/components/charts/EmptyState.tsx:28 +msgid "No matching charts found" +msgstr "No matching charts found" + #: src/components/FAQ.tsx:23 msgid "No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions." msgstr "No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions." @@ -1379,9 +1477,15 @@ msgstr "Reload to Update" #: src/components/RenameButton.tsx:100 #: src/components/RenameButton.tsx:121 #: src/components/RenameButton.tsx:163 +#: src/components/charts/ChartListItem.tsx:168 +#: src/components/charts/ChartModals.tsx:214 msgid "Rename" msgstr "Rename" +#: src/components/charts/ChartModals.tsx:187 +msgid "Rename {0}" +msgstr "Rename {0}" + #: src/pages/LogIn.tsx:164 msgid "Request Magic Link" msgstr "Request Magic Link" @@ -1471,6 +1575,10 @@ msgstr "Secure payment" msgid "See more reviews on Product Hunt" msgstr "See more reviews on Product Hunt" +#: src/components/charts/ChartModals.tsx:402 +msgid "Select a destination folder for \"{0}\"." +msgstr "Select a destination folder for \"{0}\"." + #: src/components/Tabs/ThemeTab.tsx:395 msgid "Set a consistent height for all nodes" msgstr "Set a consistent height for all nodes" @@ -1506,6 +1614,18 @@ msgstr "Sorry! This page is only available in English." msgid "Sorry, there was an error converting the text to a flowchart. Try again later." msgstr "Sorry, there was an error converting the text to a flowchart. Try again later." +#: src/components/charts/ChartsToolbar.tsx:124 +msgid "Sort Ascending" +msgstr "Sort Ascending" + +#: src/components/charts/ChartsToolbar.tsx:119 +msgid "Sort Descending" +msgstr "Sort Descending" + +#: src/components/charts/ChartsToolbar.tsx:79 +msgid "Sort by {0}" +msgstr "Sort by {0}" + #: src/components/Tabs/ThemeTab.tsx:491 #: src/components/Tabs/ThemeTab.tsx:492 msgid "Source Arrow Shape" @@ -1780,6 +1900,10 @@ msgstr "Trusted by Professionals and Academics" msgid "Try AI" msgstr "Try AI" +#: src/components/charts/EmptyState.tsx:36 +msgid "Try adjusting your search or filters to find what you're looking for." +msgstr "Try adjusting your search or filters to find what you're looking for." + #: src/components/App.tsx:82 msgid "Try again" msgstr "Try again" @@ -1845,6 +1969,10 @@ msgstr "Unpaid" msgid "Update Email" msgstr "Update Email" +#: src/components/charts/ChartsToolbar.tsx:109 +msgid "Updated Date" +msgstr "Updated Date" + #: src/components/SandboxWarning.tsx:95 msgid "Upgrade Now - Save My Work" msgstr "Upgrade Now - Save My Work" @@ -2037,6 +2165,7 @@ msgid "You've used all your free AI conversions. Upgrade to Pro for unlimited AI msgstr "You've used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!" #: src/pages/Charts.tsx:93 +#: src/pages/MyCharts.tsx:235 msgid "Your Charts" msgstr "Your Charts" diff --git a/app/src/locales/es/messages.js b/app/src/locales/es/messages.js index 469140609..9ed4a6c3f 100644 --- a/app/src/locales/es/messages.js +++ b/app/src/locales/es/messages.js @@ -1,5 +1,5 @@ /*eslint-disable*/ module.exports = { messages: JSON.parse( - '{"1 Temporary Flowchart":"1 Diagrama de Flujo Temporal","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>Solo CSS personalizado está habilitado. Solo se aplicarán los ajustes de Diseño y Avanzados.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun es un proyecto de código abierto hecho por <1>Tone\xA0Row","<0>Sign In / <1>Sign Up with email and password":"<0>Iniciar sesión / <1>Registrarse con correo electrónico y contraseña","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>Actualmente tiene una cuenta gratuita. <1/><2>Conozca nuestras características Pro y suscríbase en nuestra página de precios.","A new version of the app is available. Please reload to update.":"Una nueva versión de la aplicación está disponible. Por favor, recargue para actualizar.","AI Creation & Editing":"Creación y edición de IA","AI-Powered Flowchart Creation":"Creación de diagramas de flujo con inteligencia artificial","AI-powered editing to supercharge your workflow":"Edición impulsada por inteligencia artificial para potenciar tu flujo de trabajo","About":"Acerca de","Account":"Cuenta","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"Agregue una barra invertida (<0>\\\\) antes de cualquier carácter especial: <1>(, <2>:, <3>#, o <4>.","Add some steps":"Agrega algunos pasos","Advanced":"Avanzado","Align Horizontally":"Alinear Horizontalmente","Align Nodes":"Alinear nodos","Align Vertically":"Alinear Verticalmente","All this for just $4/month - less than your daily coffee ☕":"Todo esto por solo $4 al mes, menos que tu café diario ☕","Amount":"Cantidad","An error occurred. Try resubmitting or email {0} directly.":["Se ha producido un error. Inténtalo de nuevo o envía un correo electrónico directamente a ",["0"],"."],"Appearance":"Apariencia","Are my flowcharts private?":"¿Son privados mis diagramas de flujo?","Are there usage limits?":"¿Hay límites de uso?","Are you sure?":"¿Estás seguro?","Arrow Size":"Tamaño de flecha","Attributes":"Atributos","August 2023":"Agosto 2023","Back":"Atrás","Back To Editor":"Volver al Editor","Background Color":"Color de fondo","Basic Flowchart":"Diagrama de Flujo Básico","Become a Github Sponsor":"Convierte en un Patrocinador de Github","Become a Pro User":"Convierte en un Usuario Pro","Begin your journey":"Comienza tu viaje","Billed annually at $24":"Facturado anualmente a $24","Billed monthly at $4":"Facturado mensualmente a $4","Blog":"Blog","Book a Meeting":"Reserva una reunión","Border Color":"Color de borde","Border Width":"Ancho de borde","Bottom to Top":"De abajo a arriba","Breadthfirst":"Primero en amplitud","Build your personal flowchart library":"Construye tu biblioteca personal de diagramas de flujo","Cancel":"Cancelar","Cancel anytime":"Cancelar en cualquier momento","Cancel your subscription. Your hosted charts will become read-only.":"Cancele su suscripción. Sus gráficos alojados se convertirán en solo lectura.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"Cancelar es fácil. Simplemente ve a tu página de cuenta, desplázate hacia abajo y haz clic en cancelar. Si no estás completamente satisfecho, ofrecemos un reembolso en tu primer pago.","Certain attributes can be used to customize the appearance or functionality of elements.":"Ciertos atributos se pueden usar para personalizar la apariencia o la funcionalidad de los elementos.","Change Email Address":"Cambiar dirección de correo electrónico","Changelog":"Registro de cambios","Charts":"Gráficos","Check out the guide:":"Echa un vistazo a la guía:","Check your email for a link to log in.<0/>You can close this window.":"Revise su correo electrónico para obtener un enlace para iniciar sesión. Puede cerrar esta ventana.","Choose":"Seleccionar","Choose Template":"Elige plantilla","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"Elija entre una variedad de formas de flecha para la fuente y el destino de un borde. Las formas incluyen triángulo, triángulo-camiseta, círculo-triángulo, triángulo-cruz, triángulo-curva posterior, vee, camiseta, cuadrado, círculo, diamante, chevron, ninguno.","Choose how edges connect between nodes":"Elija cómo se conectan los bordes entre nodos","Choose how nodes are automatically arranged in your flowchart":"Elija cómo se organizan automáticamente los nodos en su diagrama de flujo","Circle":"Círculo","Classes":"Clases","Clear":"Claridad","Clear text?":"¿Texto claro?","Clone":"Clon","Close":"Cerrar","Color":"Color","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"Los colores incluyen rojo, naranja, amarillo, azul, morado, negro, blanco y gris.","Column":"Columna","Comment":"Comentario","Compare our plans and find the perfect fit for your flowcharting needs":"Compara nuestros planes y encuentra el ajuste perfecto para tus necesidades de diagramación de flujo","Concentric":"Concéntrico","Confirm New Email":"Confirmar nuevo correo electrónico","Confirm your email address to sign in.":"Confirma tu dirección de correo electrónico para iniciar sesión.","Connect your Data":"Conecta tus datos","Containers":"Contenedores","Containers are nodes that contain other nodes. They are declared using curly braces.":"Los contenedores son nodos que contienen otros nodos. Se declaran usando llaves.","Continue":"Continuar","Continue in Sandbox (Resets daily, work not saved)":"Continuar en el Área de Pruebas (Se reinicia diariamente, el trabajo no se guarda)","Controls the flow direction of hierarchical layouts":"Controla la dirección del flujo de los diseños jerárquicos","Convert":"Convertir","Convert to Flowchart":"Convertir a Diagrama de Flujo","Convert to hosted chart?":"¿Convertir a gráfico hospedado?","Cookie Policy":"Política de cookies","Copied SVG code to clipboard":"Código SVG copiado al portapapeles","Copied {format} to clipboard":[["format"]," copiado al portapapeles"],"Copy":"Copiar","Copy PNG Image":"Copiar imagen PNG","Copy SVG Code":"Copiar código SVG","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Copia tu código Excalidraw y pégalo en <0>excalidraw.com para editar. Esta característica es experimental y puede que no funcione con todos los diagramas. Si encuentras un error, <1>háganoslo saber.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"Copia tu código mermaid.js o abrilo directamente en el editor en vivo de mermaid.js.","Create":"Crear","Create Flowcharts using AI":"Crear diagramas de flujo con IA","Create Unlimited Flowcharts":"Crear diagramas de flujo ilimitados","Create a New Chart":"Crea un nuevo gráfico","Create a flowchart showing the steps of planning and executing a school fundraising event":"Crear un diagrama de flujo que muestre los pasos de planificación y ejecución de un evento de recaudación de fondos escolar","Create flowcharts instantly: Type or paste text, see it visualized.":"Crea diagramas de flujo al instante: Escribe o pega texto, míralo visualizado.","Create unlimited diagrams for just $4/month!":"¡Crea diagramas ilimitados por solo $4 al mes!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"¡Crea diagramas de flujo ilimitados almacenados en la nube, accesibles desde cualquier lugar!","Create with AI":"Crear con IA","Creating an edge between two nodes is done by indenting the second node below the first":"Crear un borde entre dos nodos se realiza al sangrar el segundo nodo debajo del primero","Curve Style":"Estilo de Curva","Custom CSS":"CSS personalizado","Custom Sharing Options":"Opciones de compartición personalizadas","Customer Portal":"Portal del cliente","Daily Sandbox Editor":"Editor de Sandbox diario","Dark":"Oscuro","Dark Mode":"Modo oscuro","Data Import (Visio, Lucidchart, CSV)":"Importación de datos (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"Función de importación de datos para diagramas complejos","Date":"Fecha","Design a software development lifecycle flowchart for an agile team":"Diseñar un diagrama de flujo del ciclo de vida de desarrollo de software para un equipo ágil","Develop a decision tree for a CEO to evaluate potential new market opportunities":"Desarrollar un árbol de decisiones para que un CEO evalúe posibles nuevas oportunidades de mercado","Direction":"Dirección","Dismiss":"Descartar","Do you have a free trial?":"¿Tienes una prueba gratuita?","Do you offer a non-profit discount?":"¿Ofrecen descuento para organizaciones sin fines de lucro?","Do you want to delete this?":"¿Quieres eliminar esto?","Document":"Documento","Don\'t Lose Your Work":"No pierdas tu trabajo","Download":"Descargar","Download JPG":"Descargar JPG","Download PNG":"Descargar PNG","Download SVG":"Descargar SVG","Drag and drop a CSV file here, or click to select a file":"Arrastre y suelte un archivo CSV aquí o haga clic para seleccionar un archivo","Draw an edge from multiple nodes by beginning the line with a reference":"Dibuje un borde desde varios nodos comenzando la línea con una referencia","Drop the file here ...":"Suelta el archivo aquí ...","Each line becomes a node":"Cada línea se convierte en un nodo","Edge ID, Classes, Attributes":"ID de borde, Clases, Atributos","Edge Label":"Etiqueta de borde","Edge Label Column":"Columna de etiqueta de borde","Edge Style":"Estilo de borde","Edge Text Size":"Tamaño de texto de borde","Edge missing indentation":"Falta de sangría de borde","Edges":"Bordes","Edges are declared in the same row as their source node":"Los bordes se declaran en la misma fila que su nodo de origen","Edges are declared in the same row as their target node":"Los bordes se declaran en la misma fila que su nodo de destino","Edges are declared in their own row":"Los bordes se declaran en su propia fila","Edges can also have ID\'s, classes, and attributes before the label":"Los bordes también pueden tener ID, clases y atributos antes de la etiqueta","Edges can be styled with dashed, dotted, or solid lines":"Los bordes se pueden estilizar con líneas discontinuas, punteadas o sólidas","Edges in Separate Rows":"Bordes en filas separadas","Edges in Source Node Row":"Bordes en la fila del nodo de origen","Edges in Target Node Row":"Bordes en la fila del nodo de destino","Edit":"Editar","Edit with AI":"Editar con IA","Editable":"Editable","Editor":"Editor","Email":"Correo electrónico","Empty":"Vacío","Enable to set a consistent height for all nodes":"Activar para establecer una altura consistente para todos los nodos","Enter your email address and we\'ll send you a magic link to sign in.":"Introduzca su dirección de correo electrónico y le enviaremos un enlace mágico para iniciar sesión.","Enter your email address below and we\'ll send you a link to reset your password.":"Ingresa tu dirección de correo electrónico a continuación y te enviaremos un enlace para restablecer tu contraseña.","Equal To":"Igual a","Everything you need to know about Flowchart Fun Pro":"Todo lo que necesitas saber sobre Flowchart Fun Pro","Examples":"Ejemplos","Excalidraw":"Excalidraw","Exclusive Office Hours":"Horario de oficina exclusivo","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"Experimenta la eficiencia y seguridad de cargar archivos locales directamente en tu diagrama de flujo, perfecto para manejar documentos relacionados con el trabajo sin conexión. Desbloquea esta función exclusiva de Pro y más con Flowchart Fun Pro, disponible por solo $4 al mes.","Explore more":"Explora más","Export":"Exportar","Export clean diagrams without branding":"Exporta diagramas limpios sin marcas","Export to PNG & JPG":"Exportar a PNG y JPG","Export to PNG, JPG, and SVG":"Exportar a PNG, JPG y SVG","Feature Breakdown":"Desglose de características","Feedback":"Comentarios","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"Siéntase libre de explorar y comuníquese con nosotros a través de la página de <0>Comentarios si tiene alguna preocupación.","Fine-tune layouts and visual styles":"Ajusta los diseños y estilos visuales","Fixed Height":"Altura fija","Fixed Node Height":"Altura de Nodo Fija","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Flowchart Fun Pro te ofrece diagramas de flujo ilimitados, colaboradores ilimitados y almacenamiento ilimitado por solo $4 al mes.","Follow Us on Twitter":"Síguenos en Twitter","Font Family":"Familia de Fuentes","Forgot your password?":"¿Olvidaste tu contraseña?","Found a bug? Have a feature request? We would love to hear from you!":"¿Encontraste un error? ¿Tienes una solicitud de característica? ¡Nos encantaría escucharte!","Free":"Gratis","Frequently Asked Questions":"Preguntas Frecuentes","Full-screen, read-only, and template sharing":"Pantalla completa, solo lectura y compartición de plantillas","Fullscreen":"Pantalla completa","General":"General","Generate flowcharts from text automatically":"Genera diagramas de flujo automáticamente a partir de texto","Get Pro Access Now":"Obtén acceso Pro ahora","Get Unlimited AI Requests":"Obtén solicitudes de IA ilimitadas","Get rapid responses to your questions":"Obtén respuestas rápidas a tus preguntas","Get unlimited flowcharts and premium features":"Obtén flujogramas ilimitados y funciones premium","Go back home":"Vuelve a casa","Go to the Editor":"Ir al editor","Go to your Sandbox":"Ve a tu Sandbox","Graph":"Gráfico","Green?":"¿Verde?","Grid":"Cuadrícula","Have complex questions or issues? We\'re here to help.":"¿Tiene preguntas o problemas complejos? Estamos aquí para ayudar.","Here are some Pro features you can now enjoy.":"Aquí hay algunas características Pro que ahora puedes disfrutar.","High-quality exports with embedded fonts":"Exportaciones de alta calidad con fuentes incrustadas","History":"Historia","Home":"Hogar","How are edges declared in this data?":"¿Cómo se declaran los bordes en estos datos?","How do I cancel my subscription?":"¿Cómo cancelo mi suscripción?","How does AI flowchart generation work?":"¿Cómo funciona la generación de diagramas de flujo con IA?","How would you like to save your chart?":"¿Cómo te gustaría guardar tu gráfico?","I would like to request a new template:":"Me gustaría solicitar una nueva plantilla:","ID\'s":"ID","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"Si una cuenta con ese correo electrónico existe, le hemos enviado un correo electrónico con instrucciones sobre cómo restablecer su contraseña.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"Si disfruta usando <0>Flowchart Fun, considere apoyar el proyecto.","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"Si desea crear un borde, indente esta línea. Si no, escapar el dos puntos con una barra invertida <0>\\\\:","Images":"Imágenes","Import Data":"Importar datos","Import data from a CSV file.":"Importar datos de un archivo CSV.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"Importar datos de cualquier archivo CSV y asignarlo a un nuevo diagrama de flujo. Esta es una excelente manera de importar datos de otras fuentes como Lucidchart, Google Sheets y Visio.","Import from CSV":"Importar desde CSV","Import from Visio, Lucidchart, and CSV":"Importar desde Visio, Lucidchart y CSV","Import from popular diagram tools":"Importa desde herramientas populares de diagramas","Import your diagram it into Microsoft Visio using one of these CSV files.":"Importa tu diagrama a Microsoft Visio usando uno de estos archivos CSV.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"Importar datos es una función profesional. Puedes actualizar a Flowchart Fun Pro por solo $4/mes.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"Incluye un título usando un atributo <0>title. Para usar el color de Visio, agrega un atributo <1>roleType igual a uno de los siguientes:","Indent to connect nodes":"Indenta para conectar nodos","Info":"Información","Is":"Es","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON Canvas es una representación JSON de tu diagrama utilizada por <0>Obsidian Canvas y otras aplicaciones.","Join 2000+ professionals who\'ve upgraded their workflow":"Únete a más de 2000 profesionales que han mejorado su flujo de trabajo","Join thousands of happy users who love Flowchart Fun":"Únete a miles de usuarios felices que aman Flowchart Fun","Keep Things Private":"Mantener las cosas privadas","Keep changes?":"¿Mantener cambios?","Keep practicing":"Sigue practicando","Keep your data private on your computer":"Mantén tus datos privados en tu computadora","Language":"Idioma","Layout":"Diseño","Layout Algorithm":"Algoritmo de diseño","Layout Frozen":"Diseño Congelado","Leading References":"Referencias principales","Learn More":"Aprender más","Learn Syntax":"Aprender sintaxis","Learn about Flowchart Fun Pro":"Aprende sobre Flowchart Fun Pro","Left to Right":"De izquierda a derecha","Let us know why you\'re canceling. We\'re always looking to improve.":"Háganos saber por qué está cancelando. Siempre estamos buscando mejorar.","Light":"Luz","Light Mode":"Modo de luz","Link":"Enlace","Link back":"Volver al enlace","Load":"Cargar","Load Chart":"Cargar gráfico","Load File":"Cargar archivo","Load Files":"Cargar archivos","Load default content":"Cargar contenido predeterminado","Load from link?":"¿Cargar desde el enlace?","Load layout and styles":"Cargar diseño y estilos","Local File Support":"Soporte de archivos locales","Local saving for offline access":"Guardado local para acceder sin conexión","Lock Zoom to Graph":"Bloquear Zoom al gráfico","Log In":"Iniciar sesión","Log Out":"Cerrar sesión","Log in to Save":"Inicia sesión para guardar","Log in to upgrade your account":"Iniciar sesión para actualizar tu cuenta","Make a One-Time Donation":"Realizar una donación única","Make publicly accessible":"Hacerlo accesible al público","Manage Billing":"Administrar facturación","Map Data":"Datos de mapa","Maximum width of text inside nodes":"Ancho máximo del texto dentro de los nodos","Monthly":"Mensual","Multiple pointers on same line":"Múltiples punteros en la misma línea","My dog ate my credit card!":"¡Mi perro se comió mi tarjeta de crédito!","Name Chart":"Nombre del gráfico","Name your chart":"Nombre su gráfico","New":"Nuevo","New Email":"Nuevo Correo Electrónico","Next charge":"Próximo cargo","No Edges":"Sin Bordes","No Watermarks!":"¡Sin marcas de agua!","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"No, no hay límites de uso con el plan Pro. Disfruta de la creación ilimitada de diagramas de flujo y funciones de IA, lo que te da la libertad de explorar e innovar sin restricciones.","Node Border Style":"Estilo de borde de nodo","Node Colors":"Colores de nodo","Node ID":"ID de nodo","Node ID, Classes, Attributes":"ID de nodo, clases, atributos","Node Label":"Etiqueta de nodo","Node Shape":"Forma de Nodo","Node Shapes":"Formas de nodo","Nodes":"Nodos","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"Los nodos se pueden estilizar con líneas discontinuas, punteadas o dobles. También se pueden eliminar los bordes con border_none.","Not Empty":"No vacío ","Now you\'re thinking with flowcharts!":"¡Ahora estás pensando con diagramas de flujo!","Office Hours":"Horas de oficina ","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"De vez en cuando, el enlace mágico acabará en tu carpeta de spam. Si no lo ves después de unos minutos, busca allí o solicita un nuevo enlace. ","One on One Support":"Soporte uno a uno","One-on-One Support":"Soporte individual","Open Customer Portal":"Abrir portal de clientes","Operation canceled":"Operación cancelada","Or maybe blue!":"¡O tal vez azul!","Organization Chart":"Organigrama","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"Nuestra IA crea diagramas a partir de tus indicaciones de texto, lo que permite ediciones manuales sin problemas o ajustes asistidos por IA. A diferencia de otros, nuestro plan Pro ofrece generaciones y ediciones ilimitadas de IA, dándote el poder de crear sin límites.","Padding":"Relleno","Page not found":"Página no encontrada","Password":"Contraseña","Past Due":"Vencido","Paste a document to convert it":"Pegue un documento para convertirlo","Paste your document or outline here to convert it into an organized flowchart.":"Pegue su documento o esquema aquí para convertirlo en un diagrama de flujo organizado.","Pasted content detected. Convert to Flowchart Fun syntax?":"Contenido pegado detectado. ¿Convertir a sintaxis de Flowchart Fun?","Perfect for docs and quick sharing":"Perfecto para documentos y compartir rápidamente","Permanent Charts are a Pro Feature":"Los gráficos permanentes son una característica Pro","Playbook":"Libreta de juegos","Pointer and container on same line":"Puntero y contenedor en la misma línea","Priority One-on-One Support":"Soporte prioritario uno a uno","Privacy Policy":"Política de privacidad","Pro tip: Right-click any node to customize its shape and color":"Consejo profesional: Haz clic derecho en cualquier nodo para personalizar su forma y color","Processing Data":"Procesamiento de datos","Processing...":"Procesando...","Prompt":"Indicación","Public":"Público","Quick experimentation space that resets daily":"Espacio de experimentación rápida que se reinicia diariamente","Random":"Aleatorio","Rapid Deployment Templates":"Plantillas de implementación rápida","Rapid Templates":"Plantillas rápidas","Raster Export (PNG, JPG)":"Exportación de ráster (PNG, JPG)","Rate limit exceeded. Please try again later.":"Límite de tasa excedido. Por favor, inténtalo de nuevo más tarde.","Read-only":"Sólo lectura","Reference by Class":"Referencia por clase","Reference by ID":"Referencia por ID","Reference by Label":"Referencia por etiqueta","References":"Referencias","References are used to create edges between nodes that are created elsewhere in the document":"Las referencias se utilizan para crear bordes entre los nodos creados en otro lugar del documento","Referencing a node by its exact label":"Referenciando un nodo por su etiqueta exacta","Referencing a node by its unique ID":"Referenciando un nodo por su ID único","Referencing multiple nodes with the same assigned class":"Referenciando múltiples nodos con la misma clase asignada","Refresh Page":"Refrescar la página","Reload to Update":"Recargar para actualizar","Rename":"Renombrar","Request Magic Link":"Solicitar enlace mágico","Request Password Reset":"Solicitar restablecimiento de contraseña","Reset":"Restablecer","Reset Password":"Restablecer la contraseña","Resume Subscription":"Reanudar la suscripción","Return":"Devolver","Right to Left":"De derecha a izquierda","Right-click nodes for options":"Haga clic derecho en los nodos para ver las opciones","Roadmap":"Hoja de ruta","Rotate Label":"Rotar etiqueta","SVG Export is a Pro Feature":"La exportación de SVG es una función Pro","Satisfaction guaranteed or first payment refunded":"Garantía de satisfacción o reembolso del primer pago","Save":"Guardar","Save time with AI and dictation, making it easy to create diagrams.":"Ahorra tiempo con IA y dictado, lo que facilita la creación de diagramas.","Save to Cloud":"Guardar en la nube","Save to File":"Guardar en archivo","Save your Work":"Guarda tu trabajo","Schedule personal consultation sessions":"Programar sesiones de consulta personal","Secure payment":"Pago seguro","See more reviews on Product Hunt":"Ver más reseñas en Product Hunt","Set a consistent height for all nodes":"Establecer una altura consistente para todos los nodos","Settings":"Configuración","Share":"Compartir","Sign In":"Iniciar sesión","Sign in with <0>GitHub":"Iniciar sesión con <0>GitHub","Sign in with <0>Google":"Iniciar sesión con <0>Google","Sorry! This page is only available in English.":"¡Lo sentimos! Esta página solo está disponible en inglés.","Sorry, there was an error converting the text to a flowchart. Try again later.":"Lo siento, hubo un error al convertir el texto en un diagrama. Inténtalo de nuevo más tarde.","Source Arrow Shape":"Forma de flecha de origen","Source Column":"Columna de origen","Source Delimiter":"Delimitador de Origen","Source Distance From Node":"Distancia del origen al nodo","Source/Target Arrow Shape":"Forma de Flecha de Origen/Destino","Spacing":"Espaciado","Special Attributes":"Atributos Especiales","Start":"Comienzo","Start Over":"Empezar de nuevo","Start faster with use-case specific templates":"Comenzar más rápido con plantillas específicas para casos de uso","Status":"Estado","Step 1":"Paso 1","Step 2":"Paso 2","Step 3":"Paso 3","Store any data associated to a node":"Almacenar cualquier dato asociado a un nodo","Style Classes":"Clases de Estilo","Style with classes":"Estilo con clases","Submit":"Enviar","Subscribe to Pro and flowchart the fun way!":"Suscríbete a Pro y crea diagramas de flujo de manera divertida!","Subscription":"Suscripción","Subscription Successful!":"¡Suscripción exitosa!","Subscription will end":"La suscripción finalizará","Target Arrow Shape":"Forma de flecha de destino","Target Column":"Columna objetivo","Target Delimiter":"Delimitador objetivo","Target Distance From Node":"Distancia objetivo desde el nodo","Text Color":"Color del texto","Text Horizontal Offset":"Desplazamiento horizontal del texto","Text Leading":"Texto principal","Text Max Width":"Ancho máximo del texto","Text Vertical Offset":"Desplazamiento vertical del texto","Text followed by colon+space creates an edge with the text as the label":"El texto seguido de dos puntos y un espacio crea un borde con el texto como etiqueta","Text on a line creates a node with the text as the label":"El texto en una línea crea un nodo con el texto como etiqueta","Thank you for your feedback!":"¡Gracias por tu comentario!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"La mejor manera de cambiar los estilos es hacer clic derecho en un nodo o un borde y seleccionar el estilo deseado.","The column that contains the edge label(s)":"La columna que contiene la etiqueta(s) de borde","The column that contains the source node ID(s)":"La columna que contiene el ID(s) del nodo de origen","The column that contains the target node ID(s)":"La columna que contiene el ID(s) del nodo de destino","The delimiter used to separate multiple source nodes":"El delimitador utilizado para separar múltiples nodos de origen","The delimiter used to separate multiple target nodes":"El delimitador utilizado para separar múltiples nodos de destino","The possible shapes are:":"Las formas posibles son:","Theme":"Tema","Theme Customization Editor":"Editor de Personalización de Temas","Theme Editor":"Editor de temas","There are no edges in this data":"No hay bordes en estos datos","This action cannot be undone.":"Esta acción no se puede deshacer.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"Esta característica solo está disponible para usuarios profesionales. <0>Conviértete en un usuario profesional para desbloquearla.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"Esto puede tardar entre 30 segundos y 2 minutos dependiendo de la longitud de su entrada.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"Esta caja de arena es perfecta para experimentar, pero recuerda: se reinicia diariamente. ¡Actualiza ahora y guarda tu trabajo actual!","This will replace the current content.":"Esto reemplazará el contenido actual.","This will replace your current chart content with the template content.":"Esto reemplazará el contenido actual de tu gráfico con el contenido de la plantilla.","This will replace your current sandbox.":"Esto reemplazará su sandbox actual.","Time to decide":"Hora de decidir","Tip":"Consejo","To fix this change one of the edge IDs":"Para solucionar esto cambia uno de los IDs de borde","To fix this change one of the node IDs":"Para solucionar esto cambia uno de los IDs de nodo","To fix this move one pointer to the next line":"Para solucionar esto mueve un puntero a la siguiente línea","To fix this start the container <0/> on a different line":"Para solucionar esto, inicie el contenedor <0/> en una línea diferente","To learn more about why we require you to log in, please read <0>this blog post.":"Para obtener más información sobre por qué requerimos que inicie sesión, lea <0>esta publicación de blog.","Top to Bottom":"De arriba a abajo","Transform Your Ideas into Professional Diagrams in Seconds":"Transforma tus ideas en diagramas profesionales en segundos","Transform text into diagrams instantly":"Transforma texto en diagramas al instante.","Trusted by Professionals and Academics":"Confiable por profesionales y académicos","Try AI":"Prueba IA","Try again":"Inténtalo de nuevo","Turn your ideas into professional diagrams in seconds":"Convierte tus ideas en diagramas profesionales en segundos","Two edges have the same ID":"Dos bordes tienen el mismo ID","Two nodes have the same ID":"Dos nodos tienen el mismo ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"¡Ups, se acabaron tus solicitudes gratuitas! Actualiza a Flowchart Fun Pro para conversiones de diagramas ilimitadas, y sigue transformando texto en claros y visuales flujogramas tan fácilmente como copiar y pegar.","Unescaped special character":"Carácter especial sin escape","Unique text value to identify a node":"Valor de texto único para identificar un nodo","Unknown":"Desconocido","Unknown Parsing Error":"Error de análisis desconocido","Unlimited Flowcharts":"Flujos de trabajo ilimitados","Unlimited Permanent Flowcharts":"Flujo de gráficos permanentes ilimitados","Unlimited cloud-saved flowcharts":"Diagramas de flujo guardados en la nube de forma ilimitada","Unlock AI Features and never lose your work with a Pro account.":"Desbloquea las funciones de IA y nunca pierdas tu trabajo con una cuenta Pro.","Unlock Unlimited AI Flowcharts":"Desbloquea diagramas de flujo de IA ilimitados","Unpaid":"Impago","Update Email":"Actualizar correo electrónico","Upgrade Now - Save My Work":"Actualizar ahora - Guardar mi trabajo","Upgrade to Flowchart Fun Pro and unlock:":"Actualiza a Flowchart Fun Pro y desbloquea:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Actualiza a Flowchart Fun Pro para desbloquear la exportación de SVG y disfrutar de funciones más avanzadas para tus diagramas.","Upgrade to Pro":"Actualizar a Pro","Upgrade to Pro for $2/month":"Actualiza a Pro por $2/mes","Upload your File":"Subir tu archivo","Use Custom CSS Only":"Usar solo CSS personalizado","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"¿Usas Lucidchart o Visio? ¡La importación de CSV facilita obtener datos de cualquier fuente!","Use classes to group nodes":"Usar clases para agrupar nodos","Use the attribute <0>href to set a link on a node that opens in a new tab.":"Utilice el atributo <0>href para establecer un enlace en un nodo que se abra en una nueva pestaña.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"Utilice el atributo <0>src para establecer la imagen de un nodo. La imagen se escalará para ajustarse al nodo, por lo que es posible que deba ajustar el ancho y la altura del nodo para obtener el resultado deseado. Solo se admiten imágenes públicas (no bloqueadas por CORS).","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"Utilice los atributos <0>w y <1>h para establecer explícitamente el ancho y la altura de un nodo.","Use the customer portal to change your billing information.":"Utilice el portal de clientes para cambiar su información de facturación.","Use these settings to adapt the look and behavior of your flowcharts":"Utilice estos ajustes para adaptar la apariencia y el comportamiento de sus diagramas de flujo","Use this file for org charts, hierarchies, and other organizational structures.":"Utilice este archivo para diagramas de organización, jerarquías y otras estructuras organizativas.","Use this file for sequences, processes, and workflows.":"Utilice este archivo para secuencias, procesos y flujos de trabajo.","Use this mode to modify and enhance your current chart.":"Utilice este modo para modificar y mejorar su gráfico actual.","User":"Usuario ","Vector Export (SVG)":"Exportación de vectores (SVG)","View on Github":"Ver en Github ","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"¿Quieres crear un diagrama a partir de un documento? Pégalo en el editor y haz clic en \\"Convertir a diagrama\\".","Watermark-Free Diagrams":"Diagramas sin marca de agua","Watermarks":"Marcas de agua","Welcome to Flowchart Fun":"Bienvenido a Flowchart Divertido","What our users are saying":"Lo que dicen nuestros usuarios","What\'s next?":"¿Qué sigue?","What\'s this?":"¿Qué es esto?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"Aunque no ofrecemos una prueba gratuita, nuestro precio está diseñado para ser lo más accesible posible, especialmente para estudiantes y educadores. Con solo $4 por mes, puedes explorar todas las funciones y decidir si es adecuado para ti. Siéntete libre de suscribirte, probarlo y volver a suscribirte cuando lo necesites.","Width":"Ancho","Width and Height":"Ancho y Alto","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"Con la versión Pro de Flowchart Fun, puedes utilizar comandos de lenguaje natural para completar rápidamente los detalles de tu diagrama, ideal para crear diagramas sobre la marcha. Por $4/mes, obtén la facilidad de la edición de IA accesible para mejorar tu experiencia de creación de diagramas.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"Con la versión pro puedes guardar y cargar archivos locales. Es perfecto para gestionar documentos relacionados con el trabajo sin conexión.","Would you like to continue?":"¿Te gustaría continuar?","Would you like to suggest a new example?":"¿Te gustaría sugerir un nuevo ejemplo?","Wrap text in parentheses to connect to any node":"Envuelve el texto entre paréntesis para conectarlo a cualquier nodo","Write like an outline":"Escribe como un esquema","Write your prompt here or click to enable the microphone, then press and hold to record.":"Escribe tu instrucción aquí o haz clic para activar el micrófono, luego mantén presionado para grabar.","Yearly":"Anualmente","Yes, Replace Content":"Sí, Reemplazar Contenido","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"Sí, ofrecemos descuentos especiales para organizaciones sin fines de lucro. Contáctanos con el estado de tu organización sin fines de lucro para aprender más sobre cómo podemos ayudar.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"Sí, tus diagramas de flujo en la nube solo son accesibles cuando estás conectado. Además, puedes guardar y cargar archivos localmente, perfecto para administrar documentos sensibles relacionados con el trabajo sin conexión.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["Estás a punto de agregar ",["numNodes"]," nodos y ",["numEdges"]," bordes a tu gráfico."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"Puede crear diagramas de flujo ilimitados y permanentes con <0>Flowchart Fun Pro.","You need to log in to access this page.":"Necesitas iniciar sesión para acceder a esta página.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"Ya eres un usuario Pro. <0>Gestionar suscripción<1/>¿Tienes preguntas o solicitudes de funciones? <2>Háganos saber","You\'re doing great!":"¡Lo estás haciendo genial!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"Has utilizado todas tus conversiones de IA gratuitas. Actualiza a Pro para un uso ilimitado de IA, temas personalizados, uso privado compartido y más. ¡Sigue creando increíbles diagramas de flujo sin esfuerzo!","Your Charts":"Tus gráficos","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"Su Sandbox es un espacio para experimentar libremente con nuestras herramientas de diagrama de flujo, reiniciando cada día para comenzar de nuevo.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"Tus gráficos son de solo lectura porque tu cuenta ya no está activa. Visita la página de tu <0>cuenta para obtener más información.","Your subscription is <0>{statusDisplay}.":["Su suscripción es <0>",["statusDisplay"],"."],"Zoom In":"Zoom In","Zoom Out":"Zoom Out","month":"mes","or":"o","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' + '{"1 Temporary Flowchart":"1 Diagrama de Flujo Temporal","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>Solo CSS personalizado está habilitado. Solo se aplicarán los ajustes de Diseño y Avanzados.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun es un proyecto de código abierto hecho por <1>Tone\xA0Row","<0>Sign In / <1>Sign Up with email and password":"<0>Iniciar sesión / <1>Registrarse con correo electrónico y contraseña","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>Actualmente tiene una cuenta gratuita. <1/><2>Conozca nuestras características Pro y suscríbase en nuestra página de precios.","A new version of the app is available. Please reload to update.":"Una nueva versión de la aplicación está disponible. Por favor, recargue para actualizar.","AI Creation & Editing":"Creación y edición de IA","AI-Powered Flowchart Creation":"Creación de diagramas de flujo con inteligencia artificial","AI-powered editing to supercharge your workflow":"Edición impulsada por inteligencia artificial para potenciar tu flujo de trabajo","About":"Acerca de","Account":"Cuenta","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"Agregue una barra invertida (<0>\\\\) antes de cualquier carácter especial: <1>(, <2>:, <3>#, o <4>.","Add some steps":"Agrega algunos pasos","Advanced":"Avanzado","Align Horizontally":"Alinear Horizontalmente","Align Nodes":"Alinear nodos","Align Vertically":"Alinear Verticalmente","All this for just $4/month - less than your daily coffee ☕":"Todo esto por solo $4 al mes, menos que tu café diario ☕","Amount":"Cantidad","An error occurred. Try resubmitting or email {0} directly.":["Se ha producido un error. Inténtalo de nuevo o envía un correo electrónico directamente a ",["0"],"."],"Appearance":"Apariencia","Are my flowcharts private?":"¿Son privados mis diagramas de flujo?","Are there usage limits?":"¿Hay límites de uso?","Are you sure you want to delete the flowchart \\"{0}\\"? This action cannot be undone.":"¿Estás seguro/a de que quieres eliminar el diagrama de flujo?","Are you sure you want to delete the folder \\"{0}\\" and all its contents? This action cannot be undone.":"¿Estás seguro/a de que quieres eliminar la carpeta?","Are you sure you want to delete the folder \\"{0}\\"? This action cannot be undone.":"¿Estás seguro/a de que quieres eliminar la carpeta?","Are you sure?":"¿Estás seguro?","Arrow Size":"Tamaño de flecha","Attributes":"Atributos","August 2023":"Agosto 2023","Back":"Atrás","Back To Editor":"Volver al Editor","Background Color":"Color de fondo","Basic Flowchart":"Diagrama de Flujo Básico","Become a Github Sponsor":"Convierte en un Patrocinador de Github","Become a Pro User":"Convierte en un Usuario Pro","Begin your journey":"Comienza tu viaje","Billed annually at $24":"Facturado anualmente a $24","Billed monthly at $4":"Facturado mensualmente a $4","Blog":"Blog","Book a Meeting":"Reserva una reunión","Border Color":"Color de borde","Border Width":"Ancho de borde","Bottom to Top":"De abajo a arriba","Breadthfirst":"Primero en amplitud","Build your personal flowchart library":"Construye tu biblioteca personal de diagramas de flujo","Cancel":"Cancelar","Cancel anytime":"Cancelar en cualquier momento","Cancel your subscription. Your hosted charts will become read-only.":"Cancele su suscripción. Sus gráficos alojados se convertirán en solo lectura.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"Cancelar es fácil. Simplemente ve a tu página de cuenta, desplázate hacia abajo y haz clic en cancelar. Si no estás completamente satisfecho, ofrecemos un reembolso en tu primer pago.","Certain attributes can be used to customize the appearance or functionality of elements.":"Ciertos atributos se pueden usar para personalizar la apariencia o la funcionalidad de los elementos.","Change Email Address":"Cambiar dirección de correo electrónico","Changelog":"Registro de cambios","Charts":"Gráficos","Check out the guide:":"Echa un vistazo a la guía:","Check your email for a link to log in.<0/>You can close this window.":"Revise su correo electrónico para obtener un enlace para iniciar sesión. Puede cerrar esta ventana.","Choose":"Seleccionar","Choose Template":"Elige plantilla","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"Elija entre una variedad de formas de flecha para la fuente y el destino de un borde. Las formas incluyen triángulo, triángulo-camiseta, círculo-triángulo, triángulo-cruz, triángulo-curva posterior, vee, camiseta, cuadrado, círculo, diamante, chevron, ninguno.","Choose how edges connect between nodes":"Elija cómo se conectan los bordes entre nodos","Choose how nodes are automatically arranged in your flowchart":"Elija cómo se organizan automáticamente los nodos en su diagrama de flujo","Circle":"Círculo","Classes":"Clases","Clear":"Claridad","Clear text?":"¿Texto claro?","Clone":"Clon","Clone Flowchart":"Clonar diagrama de flujo","Close":"Cerrar","Color":"Color","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"Los colores incluyen rojo, naranja, amarillo, azul, morado, negro, blanco y gris.","Column":"Columna","Comment":"Comentario","Compare our plans and find the perfect fit for your flowcharting needs":"Compara nuestros planes y encuentra el ajuste perfecto para tus necesidades de diagramación de flujo","Concentric":"Concéntrico","Confirm New Email":"Confirmar nuevo correo electrónico","Confirm your email address to sign in.":"Confirma tu dirección de correo electrónico para iniciar sesión.","Connect your Data":"Conecta tus datos","Containers":"Contenedores","Containers are nodes that contain other nodes. They are declared using curly braces.":"Los contenedores son nodos que contienen otros nodos. Se declaran usando llaves.","Continue":"Continuar","Continue in Sandbox (Resets daily, work not saved)":"Continuar en el Área de Pruebas (Se reinicia diariamente, el trabajo no se guarda)","Controls the flow direction of hierarchical layouts":"Controla la dirección del flujo de los diseños jerárquicos","Convert":"Convertir","Convert to Flowchart":"Convertir a Diagrama de Flujo","Convert to hosted chart?":"¿Convertir a gráfico hospedado?","Cookie Policy":"Política de cookies","Copied SVG code to clipboard":"Código SVG copiado al portapapeles","Copied {format} to clipboard":[["format"]," copiado al portapapeles"],"Copy":"Copiar","Copy PNG Image":"Copiar imagen PNG","Copy SVG Code":"Copiar código SVG","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Copia tu código Excalidraw y pégalo en <0>excalidraw.com para editar. Esta característica es experimental y puede que no funcione con todos los diagramas. Si encuentras un error, <1>háganoslo saber.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"Copia tu código mermaid.js o abrilo directamente en el editor en vivo de mermaid.js.","Create":"Crear","Create Flowcharts using AI":"Crear diagramas de flujo con IA","Create Unlimited Flowcharts":"Crear diagramas de flujo ilimitados","Create a New Chart":"Crea un nuevo gráfico","Create a flowchart showing the steps of planning and executing a school fundraising event":"Crear un diagrama de flujo que muestre los pasos de planificación y ejecución de un evento de recaudación de fondos escolar","Create a new flowchart to get started or organize your work with folders.":"Crea un nuevo diagrama de flujo para empezar o organiza tu trabajo con carpetas.","Create flowcharts instantly: Type or paste text, see it visualized.":"Crea diagramas de flujo al instante: Escribe o pega texto, míralo visualizado.","Create unlimited diagrams for just $4/month!":"¡Crea diagramas ilimitados por solo $4 al mes!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"¡Crea diagramas de flujo ilimitados almacenados en la nube, accesibles desde cualquier lugar!","Create with AI":"Crear con IA","Created Date":"Fecha de creación","Creating an edge between two nodes is done by indenting the second node below the first":"Crear un borde entre dos nodos se realiza al sangrar el segundo nodo debajo del primero","Curve Style":"Estilo de Curva","Custom CSS":"CSS personalizado","Custom Sharing Options":"Opciones de compartición personalizadas","Customer Portal":"Portal del cliente","Daily Sandbox Editor":"Editor de Sandbox diario","Dark":"Oscuro","Dark Mode":"Modo oscuro","Data Import (Visio, Lucidchart, CSV)":"Importación de datos (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"Función de importación de datos para diagramas complejos","Date":"Fecha","Delete":"Borrar","Delete {0}":["Borrar ",["0"]],"Design a software development lifecycle flowchart for an agile team":"Diseñar un diagrama de flujo del ciclo de vida de desarrollo de software para un equipo ágil","Develop a decision tree for a CEO to evaluate potential new market opportunities":"Desarrollar un árbol de decisiones para que un CEO evalúe posibles nuevas oportunidades de mercado","Direction":"Dirección","Dismiss":"Descartar","Do you have a free trial?":"¿Tienes una prueba gratuita?","Do you offer a non-profit discount?":"¿Ofrecen descuento para organizaciones sin fines de lucro?","Do you want to delete this?":"¿Quieres eliminar esto?","Document":"Documento","Don\'t Lose Your Work":"No pierdas tu trabajo","Download":"Descargar","Download JPG":"Descargar JPG","Download PNG":"Descargar PNG","Download SVG":"Descargar SVG","Drag and drop a CSV file here, or click to select a file":"Arrastre y suelte un archivo CSV aquí o haga clic para seleccionar un archivo","Draw an edge from multiple nodes by beginning the line with a reference":"Dibuje un borde desde varios nodos comenzando la línea con una referencia","Drop the file here ...":"Suelta el archivo aquí ...","Each line becomes a node":"Cada línea se convierte en un nodo","Edge ID, Classes, Attributes":"ID de borde, Clases, Atributos","Edge Label":"Etiqueta de borde","Edge Label Column":"Columna de etiqueta de borde","Edge Style":"Estilo de borde","Edge Text Size":"Tamaño de texto de borde","Edge missing indentation":"Falta de sangría de borde","Edges":"Bordes","Edges are declared in the same row as their source node":"Los bordes se declaran en la misma fila que su nodo de origen","Edges are declared in the same row as their target node":"Los bordes se declaran en la misma fila que su nodo de destino","Edges are declared in their own row":"Los bordes se declaran en su propia fila","Edges can also have ID\'s, classes, and attributes before the label":"Los bordes también pueden tener ID, clases y atributos antes de la etiqueta","Edges can be styled with dashed, dotted, or solid lines":"Los bordes se pueden estilizar con líneas discontinuas, punteadas o sólidas","Edges in Separate Rows":"Bordes en filas separadas","Edges in Source Node Row":"Bordes en la fila del nodo de origen","Edges in Target Node Row":"Bordes en la fila del nodo de destino","Edit":"Editar","Edit with AI":"Editar con IA","Editable":"Editable","Editor":"Editor","Email":"Correo electrónico","Empty":"Vacío","Enable to set a consistent height for all nodes":"Activar para establecer una altura consistente para todos los nodos","Enter a name for the cloned flowchart.":"Ingrese un nombre para el diagrama de flujo clonado.","Enter a name for the new folder.":"Ingrese un nombre para la nueva carpeta.","Enter a new name for the {0}.":["Ingrese un nuevo nombre para el ",["0"],"."],"Enter your email address and we\'ll send you a magic link to sign in.":"Introduzca su dirección de correo electrónico y le enviaremos un enlace mágico para iniciar sesión.","Enter your email address below and we\'ll send you a link to reset your password.":"Ingresa tu dirección de correo electrónico a continuación y te enviaremos un enlace para restablecer tu contraseña.","Equal To":"Igual a","Everything you need to know about Flowchart Fun Pro":"Todo lo que necesitas saber sobre Flowchart Fun Pro","Examples":"Ejemplos","Excalidraw":"Excalidraw","Exclusive Office Hours":"Horario de oficina exclusivo","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"Experimenta la eficiencia y seguridad de cargar archivos locales directamente en tu diagrama de flujo, perfecto para manejar documentos relacionados con el trabajo sin conexión. Desbloquea esta función exclusiva de Pro y más con Flowchart Fun Pro, disponible por solo $4 al mes.","Explore more":"Explora más","Export":"Exportar","Export clean diagrams without branding":"Exporta diagramas limpios sin marcas","Export to PNG & JPG":"Exportar a PNG y JPG","Export to PNG, JPG, and SVG":"Exportar a PNG, JPG y SVG","Feature Breakdown":"Desglose de características","Feedback":"Comentarios","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"Siéntase libre de explorar y comuníquese con nosotros a través de la página de <0>Comentarios si tiene alguna preocupación.","Fine-tune layouts and visual styles":"Ajusta los diseños y estilos visuales","Fixed Height":"Altura fija","Fixed Node Height":"Altura de Nodo Fija","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Flowchart Fun Pro te ofrece diagramas de flujo ilimitados, colaboradores ilimitados y almacenamiento ilimitado por solo $4 al mes.","Follow Us on Twitter":"Síguenos en Twitter","Font Family":"Familia de Fuentes","Forgot your password?":"¿Olvidaste tu contraseña?","Found a bug? Have a feature request? We would love to hear from you!":"¿Encontraste un error? ¿Tienes una solicitud de característica? ¡Nos encantaría escucharte!","Free":"Gratis","Frequently Asked Questions":"Preguntas Frecuentes","Full-screen, read-only, and template sharing":"Pantalla completa, solo lectura y compartición de plantillas","Fullscreen":"Pantalla completa","General":"General","Generate flowcharts from text automatically":"Genera diagramas de flujo automáticamente a partir de texto","Get Pro Access Now":"Obtén acceso Pro ahora","Get Unlimited AI Requests":"Obtén solicitudes de IA ilimitadas","Get rapid responses to your questions":"Obtén respuestas rápidas a tus preguntas","Get unlimited flowcharts and premium features":"Obtén flujogramas ilimitados y funciones premium","Go back home":"Vuelve a casa","Go to the Editor":"Ir al editor","Go to your Sandbox":"Ve a tu Sandbox","Graph":"Gráfico","Green?":"¿Verde?","Grid":"Cuadrícula","Have complex questions or issues? We\'re here to help.":"¿Tiene preguntas o problemas complejos? Estamos aquí para ayudar.","Here are some Pro features you can now enjoy.":"Aquí hay algunas características Pro que ahora puedes disfrutar.","High-quality exports with embedded fonts":"Exportaciones de alta calidad con fuentes incrustadas","History":"Historia","Home":"Hogar","How are edges declared in this data?":"¿Cómo se declaran los bordes en estos datos?","How do I cancel my subscription?":"¿Cómo cancelo mi suscripción?","How does AI flowchart generation work?":"¿Cómo funciona la generación de diagramas de flujo con IA?","How would you like to save your chart?":"¿Cómo te gustaría guardar tu gráfico?","I would like to request a new template:":"Me gustaría solicitar una nueva plantilla:","ID\'s":"ID","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"Si una cuenta con ese correo electrónico existe, le hemos enviado un correo electrónico con instrucciones sobre cómo restablecer su contraseña.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"Si disfruta usando <0>Flowchart Fun, considere apoyar el proyecto.","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"Si desea crear un borde, indente esta línea. Si no, escapar el dos puntos con una barra invertida <0>\\\\:","Images":"Imágenes","Import Data":"Importar datos","Import data from a CSV file.":"Importar datos de un archivo CSV.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"Importar datos de cualquier archivo CSV y asignarlo a un nuevo diagrama de flujo. Esta es una excelente manera de importar datos de otras fuentes como Lucidchart, Google Sheets y Visio.","Import from CSV":"Importar desde CSV","Import from Visio, Lucidchart, and CSV":"Importar desde Visio, Lucidchart y CSV","Import from popular diagram tools":"Importa desde herramientas populares de diagramas","Import your diagram it into Microsoft Visio using one of these CSV files.":"Importa tu diagrama a Microsoft Visio usando uno de estos archivos CSV.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"Importar datos es una función profesional. Puedes actualizar a Flowchart Fun Pro por solo $4/mes.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"Incluye un título usando un atributo <0>title. Para usar el color de Visio, agrega un atributo <1>roleType igual a uno de los siguientes:","Indent to connect nodes":"Indenta para conectar nodos","Info":"Información","Is":"Es","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON Canvas es una representación JSON de tu diagrama utilizada por <0>Obsidian Canvas y otras aplicaciones.","Join 2000+ professionals who\'ve upgraded their workflow":"Únete a más de 2000 profesionales que han mejorado su flujo de trabajo","Join thousands of happy users who love Flowchart Fun":"Únete a miles de usuarios felices que aman Flowchart Fun","Keep Things Private":"Mantener las cosas privadas","Keep changes?":"¿Mantener cambios?","Keep practicing":"Sigue practicando","Keep your data private on your computer":"Mantén tus datos privados en tu computadora","Language":"Idioma","Layout":"Diseño","Layout Algorithm":"Algoritmo de diseño","Layout Frozen":"Diseño Congelado","Leading References":"Referencias principales","Learn More":"Aprender más","Learn Syntax":"Aprender sintaxis","Learn about Flowchart Fun Pro":"Aprende sobre Flowchart Fun Pro","Left to Right":"De izquierda a derecha","Let us know why you\'re canceling. We\'re always looking to improve.":"Háganos saber por qué está cancelando. Siempre estamos buscando mejorar.","Light":"Luz","Light Mode":"Modo de luz","Link":"Enlace","Link back":"Volver al enlace","Load":"Cargar","Load Chart":"Cargar gráfico","Load File":"Cargar archivo","Load Files":"Cargar archivos","Load default content":"Cargar contenido predeterminado","Load from link?":"¿Cargar desde el enlace?","Load layout and styles":"Cargar diseño y estilos","Loading...":"Cargando...","Local File Support":"Soporte de archivos locales","Local saving for offline access":"Guardado local para acceder sin conexión","Lock Zoom to Graph":"Bloquear Zoom al gráfico","Log In":"Iniciar sesión","Log Out":"Cerrar sesión","Log in to Save":"Inicia sesión para guardar","Log in to upgrade your account":"Iniciar sesión para actualizar tu cuenta","Make a One-Time Donation":"Realizar una donación única","Make publicly accessible":"Hacerlo accesible al público","Manage Billing":"Administrar facturación","Map Data":"Datos de mapa","Maximum width of text inside nodes":"Ancho máximo del texto dentro de los nodos","Monthly":"Mensual","Move":"Mover","Move {0}":["Mover ",["0"]],"Multiple pointers on same line":"Múltiples punteros en la misma línea","My dog ate my credit card!":"¡Mi perro se comió mi tarjeta de crédito!","Name":"Nombre","Name Chart":"Nombre del gráfico","Name your chart":"Nombre su gráfico","New":"Nuevo","New Email":"Nuevo Correo Electrónico","New Flowchart":"Nuevo Diagrama de Flujo","New Folder":"Nueva Carpeta","Next charge":"Próximo cargo","No Edges":"Sin Bordes","No Folder (Root)":"Sin Carpeta (Raíz)","No Watermarks!":"¡Sin marcas de agua!","No charts yet":"Sin gráficos aún","No items in this folder":"No hay elementos en esta carpeta","No matching charts found":"No se encontraron gráficos coincidentes","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"No, no hay límites de uso con el plan Pro. Disfruta de la creación ilimitada de diagramas de flujo y funciones de IA, lo que te da la libertad de explorar e innovar sin restricciones.","Node Border Style":"Estilo de borde de nodo","Node Colors":"Colores de nodo","Node ID":"ID de nodo","Node ID, Classes, Attributes":"ID de nodo, clases, atributos","Node Label":"Etiqueta de nodo","Node Shape":"Forma de Nodo","Node Shapes":"Formas de nodo","Nodes":"Nodos","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"Los nodos se pueden estilizar con líneas discontinuas, punteadas o dobles. También se pueden eliminar los bordes con border_none.","Not Empty":"No vacío ","Now you\'re thinking with flowcharts!":"¡Ahora estás pensando con diagramas de flujo!","Office Hours":"Horas de oficina ","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"De vez en cuando, el enlace mágico acabará en tu carpeta de spam. Si no lo ves después de unos minutos, busca allí o solicita un nuevo enlace. ","One on One Support":"Soporte uno a uno","One-on-One Support":"Soporte individual","Open Customer Portal":"Abrir portal de clientes","Operation canceled":"Operación cancelada","Or maybe blue!":"¡O tal vez azul!","Organization Chart":"Organigrama","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"Nuestra IA crea diagramas a partir de tus indicaciones de texto, lo que permite ediciones manuales sin problemas o ajustes asistidos por IA. A diferencia de otros, nuestro plan Pro ofrece generaciones y ediciones ilimitadas de IA, dándote el poder de crear sin límites.","Padding":"Relleno","Page not found":"Página no encontrada","Password":"Contraseña","Past Due":"Vencido","Paste a document to convert it":"Pegue un documento para convertirlo","Paste your document or outline here to convert it into an organized flowchart.":"Pegue su documento o esquema aquí para convertirlo en un diagrama de flujo organizado.","Pasted content detected. Convert to Flowchart Fun syntax?":"Contenido pegado detectado. ¿Convertir a sintaxis de Flowchart Fun?","Perfect for docs and quick sharing":"Perfecto para documentos y compartir rápidamente","Permanent Charts are a Pro Feature":"Los gráficos permanentes son una característica Pro","Playbook":"Libreta de juegos","Pointer and container on same line":"Puntero y contenedor en la misma línea","Priority One-on-One Support":"Soporte prioritario uno a uno","Privacy Policy":"Política de privacidad","Pro tip: Right-click any node to customize its shape and color":"Consejo profesional: Haz clic derecho en cualquier nodo para personalizar su forma y color","Processing Data":"Procesamiento de datos","Processing...":"Procesando...","Prompt":"Indicación","Public":"Público","Quick experimentation space that resets daily":"Espacio de experimentación rápida que se reinicia diariamente","Random":"Aleatorio","Rapid Deployment Templates":"Plantillas de implementación rápida","Rapid Templates":"Plantillas rápidas","Raster Export (PNG, JPG)":"Exportación de ráster (PNG, JPG)","Rate limit exceeded. Please try again later.":"Límite de tasa excedido. Por favor, inténtalo de nuevo más tarde.","Read-only":"Sólo lectura","Reference by Class":"Referencia por clase","Reference by ID":"Referencia por ID","Reference by Label":"Referencia por etiqueta","References":"Referencias","References are used to create edges between nodes that are created elsewhere in the document":"Las referencias se utilizan para crear bordes entre los nodos creados en otro lugar del documento","Referencing a node by its exact label":"Referenciando un nodo por su etiqueta exacta","Referencing a node by its unique ID":"Referenciando un nodo por su ID único","Referencing multiple nodes with the same assigned class":"Referenciando múltiples nodos con la misma clase asignada","Refresh Page":"Refrescar la página","Reload to Update":"Recargar para actualizar","Rename":"Renombrar","Rename {0}":["Cambiar nombre de ",["0"]],"Request Magic Link":"Solicitar enlace mágico","Request Password Reset":"Solicitar restablecimiento de contraseña","Reset":"Restablecer","Reset Password":"Restablecer la contraseña","Resume Subscription":"Reanudar la suscripción","Return":"Devolver","Right to Left":"De derecha a izquierda","Right-click nodes for options":"Haga clic derecho en los nodos para ver las opciones","Roadmap":"Hoja de ruta","Rotate Label":"Rotar etiqueta","SVG Export is a Pro Feature":"La exportación de SVG es una función Pro","Satisfaction guaranteed or first payment refunded":"Garantía de satisfacción o reembolso del primer pago","Save":"Guardar","Save time with AI and dictation, making it easy to create diagrams.":"Ahorra tiempo con IA y dictado, lo que facilita la creación de diagramas.","Save to Cloud":"Guardar en la nube","Save to File":"Guardar en archivo","Save your Work":"Guarda tu trabajo","Schedule personal consultation sessions":"Programar sesiones de consulta personal","Secure payment":"Pago seguro","See more reviews on Product Hunt":"Ver más reseñas en Product Hunt","Select a destination folder for \\"{0}\\".":"Selecciona una carpeta de destino para \\\\","Set a consistent height for all nodes":"Establecer una altura consistente para todos los nodos","Settings":"Configuración","Share":"Compartir","Sign In":"Iniciar sesión","Sign in with <0>GitHub":"Iniciar sesión con <0>GitHub","Sign in with <0>Google":"Iniciar sesión con <0>Google","Sorry! This page is only available in English.":"¡Lo sentimos! Esta página solo está disponible en inglés.","Sorry, there was an error converting the text to a flowchart. Try again later.":"Lo siento, hubo un error al convertir el texto en un diagrama. Inténtalo de nuevo más tarde.","Sort Ascending":"Ordenar de forma ascendente","Sort Descending":"Ordenar de forma descendente","Sort by {0}":["Ordenar por ",["0"]],"Source Arrow Shape":"Forma de flecha de origen","Source Column":"Columna de origen","Source Delimiter":"Delimitador de Origen","Source Distance From Node":"Distancia del origen al nodo","Source/Target Arrow Shape":"Forma de Flecha de Origen/Destino","Spacing":"Espaciado","Special Attributes":"Atributos Especiales","Start":"Comienzo","Start Over":"Empezar de nuevo","Start faster with use-case specific templates":"Comenzar más rápido con plantillas específicas para casos de uso","Status":"Estado","Step 1":"Paso 1","Step 2":"Paso 2","Step 3":"Paso 3","Store any data associated to a node":"Almacenar cualquier dato asociado a un nodo","Style Classes":"Clases de Estilo","Style with classes":"Estilo con clases","Submit":"Enviar","Subscribe to Pro and flowchart the fun way!":"Suscríbete a Pro y crea diagramas de flujo de manera divertida!","Subscription":"Suscripción","Subscription Successful!":"¡Suscripción exitosa!","Subscription will end":"La suscripción finalizará","Target Arrow Shape":"Forma de flecha de destino","Target Column":"Columna objetivo","Target Delimiter":"Delimitador objetivo","Target Distance From Node":"Distancia objetivo desde el nodo","Text Color":"Color del texto","Text Horizontal Offset":"Desplazamiento horizontal del texto","Text Leading":"Texto principal","Text Max Width":"Ancho máximo del texto","Text Vertical Offset":"Desplazamiento vertical del texto","Text followed by colon+space creates an edge with the text as the label":"El texto seguido de dos puntos y un espacio crea un borde con el texto como etiqueta","Text on a line creates a node with the text as the label":"El texto en una línea crea un nodo con el texto como etiqueta","Thank you for your feedback!":"¡Gracias por tu comentario!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"La mejor manera de cambiar los estilos es hacer clic derecho en un nodo o un borde y seleccionar el estilo deseado.","The column that contains the edge label(s)":"La columna que contiene la etiqueta(s) de borde","The column that contains the source node ID(s)":"La columna que contiene el ID(s) del nodo de origen","The column that contains the target node ID(s)":"La columna que contiene el ID(s) del nodo de destino","The delimiter used to separate multiple source nodes":"El delimitador utilizado para separar múltiples nodos de origen","The delimiter used to separate multiple target nodes":"El delimitador utilizado para separar múltiples nodos de destino","The possible shapes are:":"Las formas posibles son:","Theme":"Tema","Theme Customization Editor":"Editor de Personalización de Temas","Theme Editor":"Editor de temas","There are no edges in this data":"No hay bordes en estos datos","This action cannot be undone.":"Esta acción no se puede deshacer.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"Esta característica solo está disponible para usuarios profesionales. <0>Conviértete en un usuario profesional para desbloquearla.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"Esto puede tardar entre 30 segundos y 2 minutos dependiendo de la longitud de su entrada.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"Esta caja de arena es perfecta para experimentar, pero recuerda: se reinicia diariamente. ¡Actualiza ahora y guarda tu trabajo actual!","This will replace the current content.":"Esto reemplazará el contenido actual.","This will replace your current chart content with the template content.":"Esto reemplazará el contenido actual de tu gráfico con el contenido de la plantilla.","This will replace your current sandbox.":"Esto reemplazará su sandbox actual.","Time to decide":"Hora de decidir","Tip":"Consejo","To fix this change one of the edge IDs":"Para solucionar esto cambia uno de los IDs de borde","To fix this change one of the node IDs":"Para solucionar esto cambia uno de los IDs de nodo","To fix this move one pointer to the next line":"Para solucionar esto mueve un puntero a la siguiente línea","To fix this start the container <0/> on a different line":"Para solucionar esto, inicie el contenedor <0/> en una línea diferente","To learn more about why we require you to log in, please read <0>this blog post.":"Para obtener más información sobre por qué requerimos que inicie sesión, lea <0>esta publicación de blog.","Top to Bottom":"De arriba a abajo","Transform Your Ideas into Professional Diagrams in Seconds":"Transforma tus ideas en diagramas profesionales en segundos","Transform text into diagrams instantly":"Transforma texto en diagramas al instante.","Trusted by Professionals and Academics":"Confiable por profesionales y académicos","Try AI":"Prueba IA","Try adjusting your search or filters to find what you\'re looking for.":"Prueba a ajustar tu búsqueda o filtros para encontrar lo que estás buscando.","Try again":"Inténtalo de nuevo","Turn your ideas into professional diagrams in seconds":"Convierte tus ideas en diagramas profesionales en segundos","Two edges have the same ID":"Dos bordes tienen el mismo ID","Two nodes have the same ID":"Dos nodos tienen el mismo ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"¡Ups, se acabaron tus solicitudes gratuitas! Actualiza a Flowchart Fun Pro para conversiones de diagramas ilimitadas, y sigue transformando texto en claros y visuales flujogramas tan fácilmente como copiar y pegar.","Unescaped special character":"Carácter especial sin escape","Unique text value to identify a node":"Valor de texto único para identificar un nodo","Unknown":"Desconocido","Unknown Parsing Error":"Error de análisis desconocido","Unlimited Flowcharts":"Flujos de trabajo ilimitados","Unlimited Permanent Flowcharts":"Flujo de gráficos permanentes ilimitados","Unlimited cloud-saved flowcharts":"Diagramas de flujo guardados en la nube de forma ilimitada","Unlock AI Features and never lose your work with a Pro account.":"Desbloquea las funciones de IA y nunca pierdas tu trabajo con una cuenta Pro.","Unlock Unlimited AI Flowcharts":"Desbloquea diagramas de flujo de IA ilimitados","Unpaid":"Impago","Update Email":"Actualizar correo electrónico","Updated Date":"Fecha actualizada","Upgrade Now - Save My Work":"Actualizar ahora - Guardar mi trabajo","Upgrade to Flowchart Fun Pro and unlock:":"Actualiza a Flowchart Fun Pro y desbloquea:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Actualiza a Flowchart Fun Pro para desbloquear la exportación de SVG y disfrutar de funciones más avanzadas para tus diagramas.","Upgrade to Pro":"Actualizar a Pro","Upgrade to Pro for $2/month":"Actualiza a Pro por $2/mes","Upload your File":"Subir tu archivo","Use Custom CSS Only":"Usar solo CSS personalizado","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"¿Usas Lucidchart o Visio? ¡La importación de CSV facilita obtener datos de cualquier fuente!","Use classes to group nodes":"Usar clases para agrupar nodos","Use the attribute <0>href to set a link on a node that opens in a new tab.":"Utilice el atributo <0>href para establecer un enlace en un nodo que se abra en una nueva pestaña.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"Utilice el atributo <0>src para establecer la imagen de un nodo. La imagen se escalará para ajustarse al nodo, por lo que es posible que deba ajustar el ancho y la altura del nodo para obtener el resultado deseado. Solo se admiten imágenes públicas (no bloqueadas por CORS).","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"Utilice los atributos <0>w y <1>h para establecer explícitamente el ancho y la altura de un nodo.","Use the customer portal to change your billing information.":"Utilice el portal de clientes para cambiar su información de facturación.","Use these settings to adapt the look and behavior of your flowcharts":"Utilice estos ajustes para adaptar la apariencia y el comportamiento de sus diagramas de flujo","Use this file for org charts, hierarchies, and other organizational structures.":"Utilice este archivo para diagramas de organización, jerarquías y otras estructuras organizativas.","Use this file for sequences, processes, and workflows.":"Utilice este archivo para secuencias, procesos y flujos de trabajo.","Use this mode to modify and enhance your current chart.":"Utilice este modo para modificar y mejorar su gráfico actual.","User":"Usuario ","Vector Export (SVG)":"Exportación de vectores (SVG)","View on Github":"Ver en Github ","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"¿Quieres crear un diagrama a partir de un documento? Pégalo en el editor y haz clic en \\"Convertir a diagrama\\".","Watermark-Free Diagrams":"Diagramas sin marca de agua","Watermarks":"Marcas de agua","Welcome to Flowchart Fun":"Bienvenido a Flowchart Divertido","What our users are saying":"Lo que dicen nuestros usuarios","What\'s next?":"¿Qué sigue?","What\'s this?":"¿Qué es esto?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"Aunque no ofrecemos una prueba gratuita, nuestro precio está diseñado para ser lo más accesible posible, especialmente para estudiantes y educadores. Con solo $4 por mes, puedes explorar todas las funciones y decidir si es adecuado para ti. Siéntete libre de suscribirte, probarlo y volver a suscribirte cuando lo necesites.","Width":"Ancho","Width and Height":"Ancho y Alto","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"Con la versión Pro de Flowchart Fun, puedes utilizar comandos de lenguaje natural para completar rápidamente los detalles de tu diagrama, ideal para crear diagramas sobre la marcha. Por $4/mes, obtén la facilidad de la edición de IA accesible para mejorar tu experiencia de creación de diagramas.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"Con la versión pro puedes guardar y cargar archivos locales. Es perfecto para gestionar documentos relacionados con el trabajo sin conexión.","Would you like to continue?":"¿Te gustaría continuar?","Would you like to suggest a new example?":"¿Te gustaría sugerir un nuevo ejemplo?","Wrap text in parentheses to connect to any node":"Envuelve el texto entre paréntesis para conectarlo a cualquier nodo","Write like an outline":"Escribe como un esquema","Write your prompt here or click to enable the microphone, then press and hold to record.":"Escribe tu instrucción aquí o haz clic para activar el micrófono, luego mantén presionado para grabar.","Yearly":"Anualmente","Yes, Replace Content":"Sí, Reemplazar Contenido","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"Sí, ofrecemos descuentos especiales para organizaciones sin fines de lucro. Contáctanos con el estado de tu organización sin fines de lucro para aprender más sobre cómo podemos ayudar.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"Sí, tus diagramas de flujo en la nube solo son accesibles cuando estás conectado. Además, puedes guardar y cargar archivos localmente, perfecto para administrar documentos sensibles relacionados con el trabajo sin conexión.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["Estás a punto de agregar ",["numNodes"]," nodos y ",["numEdges"]," bordes a tu gráfico."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"Puede crear diagramas de flujo ilimitados y permanentes con <0>Flowchart Fun Pro.","You need to log in to access this page.":"Necesitas iniciar sesión para acceder a esta página.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"Ya eres un usuario Pro. <0>Gestionar suscripción<1/>¿Tienes preguntas o solicitudes de funciones? <2>Háganos saber","You\'re doing great!":"¡Lo estás haciendo genial!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"Has utilizado todas tus conversiones de IA gratuitas. Actualiza a Pro para un uso ilimitado de IA, temas personalizados, uso privado compartido y más. ¡Sigue creando increíbles diagramas de flujo sin esfuerzo!","Your Charts":"Tus gráficos","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"Su Sandbox es un espacio para experimentar libremente con nuestras herramientas de diagrama de flujo, reiniciando cada día para comenzar de nuevo.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"Tus gráficos son de solo lectura porque tu cuenta ya no está activa. Visita la página de tu <0>cuenta para obtener más información.","Your subscription is <0>{statusDisplay}.":["Su suscripción es <0>",["statusDisplay"],"."],"Zoom In":"Zoom In","Zoom Out":"Zoom Out","month":"mes","or":"o","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' ), }; diff --git a/app/src/locales/es/messages.po b/app/src/locales/es/messages.po index 765fe4fcf..5f1e2a450 100644 --- a/app/src/locales/es/messages.po +++ b/app/src/locales/es/messages.po @@ -110,6 +110,18 @@ msgstr "¿Son privados mis diagramas de flujo?" msgid "Are there usage limits?" msgstr "¿Hay límites de uso?" +#: src/components/charts/ChartModals.tsx:50 +msgid "Are you sure you want to delete the flowchart \"{0}\"? This action cannot be undone." +msgstr "¿Estás seguro/a de que quieres eliminar el diagrama de flujo?" + +#: src/components/charts/ChartModals.tsx:39 +msgid "Are you sure you want to delete the folder \"{0}\" and all its contents? This action cannot be undone." +msgstr "¿Estás seguro/a de que quieres eliminar la carpeta?" + +#: src/components/charts/ChartModals.tsx:44 +msgid "Are you sure you want to delete the folder \"{0}\"? This action cannot be undone." +msgstr "¿Estás seguro/a de que quieres eliminar la carpeta?" + #: src/components/LoadTemplateDialog.tsx:121 msgid "Are you sure?" msgstr "¿Estás seguro?" @@ -204,6 +216,11 @@ msgstr "Construye tu biblioteca personal de diagramas de flujo" #: src/components/ImportDataDialog.tsx:698 #: src/components/LoadTemplateDialog.tsx:149 #: src/components/RenameButton.tsx:160 +#: src/components/charts/ChartModals.tsx:59 +#: src/components/charts/ChartModals.tsx:129 +#: src/components/charts/ChartModals.tsx:207 +#: src/components/charts/ChartModals.tsx:277 +#: src/components/charts/ChartModals.tsx:440 #: src/pages/Account.tsx:323 #: src/pages/Account.tsx:335 #: src/pages/Account.tsx:426 @@ -287,9 +304,15 @@ msgid "Clear text?" msgstr "¿Texto claro?" #: src/components/CloneButton.tsx:48 +#: src/components/charts/ChartListItem.tsx:191 +#: src/components/charts/ChartModals.tsx:136 msgid "Clone" msgstr "Clon" +#: src/components/charts/ChartModals.tsx:111 +msgid "Clone Flowchart" +msgstr "Clonar diagrama de flujo" + #: src/components/LearnSyntaxDialog.tsx:413 msgid "Close" msgstr "Cerrar" @@ -398,6 +421,7 @@ msgstr "Copia tu código Excalidraw y pégalo en <0>excalidraw.com para edit msgid "Copy your mermaid.js code or open it directly in the mermaid.js live editor." msgstr "Copia tu código mermaid.js o abrilo directamente en el editor en vivo de mermaid.js." +#: src/components/charts/ChartModals.tsx:284 #: src/pages/New.tsx:184 msgid "Create" msgstr "Crear" @@ -418,6 +442,10 @@ msgstr "Crea un nuevo gráfico" msgid "Create a flowchart showing the steps of planning and executing a school fundraising event" msgstr "Crear un diagrama de flujo que muestre los pasos de planificación y ejecución de un evento de recaudación de fondos escolar" +#: src/components/charts/EmptyState.tsx:41 +msgid "Create a new flowchart to get started or organize your work with folders." +msgstr "Crea un nuevo diagrama de flujo para empezar o organiza tu trabajo con carpetas." + #: src/components/FlowchartHeader.tsx:44 msgid "Create flowcharts instantly: Type or paste text, see it visualized." msgstr "Crea diagramas de flujo al instante: Escribe o pega texto, míralo visualizado." @@ -434,6 +462,10 @@ msgstr "¡Crea diagramas de flujo ilimitados almacenados en la nube, accesibles msgid "Create with AI" msgstr "Crear con IA" +#: src/components/charts/ChartsToolbar.tsx:103 +msgid "Created Date" +msgstr "Fecha de creación" + #: src/components/LearnSyntaxDialog.tsx:167 msgid "Creating an edge between two nodes is done by indenting the second node below the first" msgstr "Crear un borde entre dos nodos se realiza al sangrar el segundo nodo debajo del primero" @@ -481,6 +513,15 @@ msgstr "Función de importación de datos para diagramas complejos" msgid "Date" msgstr "Fecha" +#: src/components/charts/ChartListItem.tsx:205 +#: src/components/charts/ChartModals.tsx:62 +msgid "Delete" +msgstr "Borrar" + +#: src/components/charts/ChartModals.tsx:33 +msgid "Delete {0}" +msgstr "Borrar {0}" + #: src/pages/createExamples.tsx:8 msgid "Design a software development lifecycle flowchart for an agile team" msgstr "Diseñar un diagrama de flujo del ciclo de vida de desarrollo de software para un equipo ágil" @@ -653,6 +694,18 @@ msgstr "Vacío" msgid "Enable to set a consistent height for all nodes" msgstr "Activar para establecer una altura consistente para todos los nodos" +#: src/components/charts/ChartModals.tsx:115 +msgid "Enter a name for the cloned flowchart." +msgstr "Ingrese un nombre para el diagrama de flujo clonado." + +#: src/components/charts/ChartModals.tsx:263 +msgid "Enter a name for the new folder." +msgstr "Ingrese un nombre para la nueva carpeta." + +#: src/components/charts/ChartModals.tsx:191 +msgid "Enter a new name for the {0}." +msgstr "Ingrese un nuevo nombre para el {0}." + #: src/pages/LogIn.tsx:138 msgid "Enter your email address and we'll send you a magic link to sign in." msgstr "Introduzca su dirección de correo electrónico y le enviaremos un enlace mágico para iniciar sesión." @@ -803,6 +856,7 @@ msgid "Go to the Editor" msgstr "Ir al editor" #: src/pages/Charts.tsx:285 +#: src/pages/MyCharts.tsx:241 msgid "Go to your Sandbox" msgstr "Ve a tu Sandbox" @@ -1048,6 +1102,10 @@ msgstr "¿Cargar desde el enlace?" msgid "Load layout and styles" msgstr "Cargar diseño y estilos" +#: src/components/charts/ChartListItem.tsx:236 +msgid "Loading..." +msgstr "Cargando..." + #: src/components/FeatureBreakdown.tsx:83 #: src/pages/Pricing.tsx:63 msgid "Local File Support" @@ -1103,6 +1161,15 @@ msgstr "Ancho máximo del texto dentro de los nodos" msgid "Monthly" msgstr "Mensual" +#: src/components/charts/ChartListItem.tsx:179 +#: src/components/charts/ChartModals.tsx:443 +msgid "Move" +msgstr "Mover" + +#: src/components/charts/ChartModals.tsx:398 +msgid "Move {0}" +msgstr "Mover {0}" + #: src/lib/parserErrors.tsx:29 msgid "Multiple pointers on same line" msgstr "Múltiples punteros en la misma línea" @@ -1111,6 +1178,10 @@ msgstr "Múltiples punteros en la misma línea" msgid "My dog ate my credit card!" msgstr "¡Mi perro se comió mi tarjeta de crédito!" +#: src/components/charts/ChartsToolbar.tsx:97 +msgid "Name" +msgstr "Nombre" + #: src/pages/New.tsx:108 #: src/pages/New.tsx:116 msgid "Name Chart" @@ -1130,6 +1201,17 @@ msgstr "Nuevo" msgid "New Email" msgstr "Nuevo Correo Electrónico" +#: src/components/charts/ChartsToolbar.tsx:139 +#: src/components/charts/EmptyState.tsx:55 +msgid "New Flowchart" +msgstr "Nuevo Diagrama de Flujo" + +#: src/components/charts/ChartModals.tsx:259 +#: src/components/charts/ChartsToolbar.tsx:147 +#: src/components/charts/EmptyState.tsx:62 +msgid "New Folder" +msgstr "Nueva Carpeta" + #: src/pages/Account.tsx:171 #: src/pages/Account.tsx:472 msgid "Next charge" @@ -1139,10 +1221,26 @@ msgstr "Próximo cargo" msgid "No Edges" msgstr "Sin Bordes" +#: src/components/charts/ChartModals.tsx:429 +msgid "No Folder (Root)" +msgstr "Sin Carpeta (Raíz)" + #: src/pages/Pricing.tsx:67 msgid "No Watermarks!" msgstr "¡Sin marcas de agua!" +#: src/components/charts/EmptyState.tsx:30 +msgid "No charts yet" +msgstr "Sin gráficos aún" + +#: src/components/charts/ChartListItem.tsx:253 +msgid "No items in this folder" +msgstr "No hay elementos en esta carpeta" + +#: src/components/charts/EmptyState.tsx:28 +msgid "No matching charts found" +msgstr "No se encontraron gráficos coincidentes" + #: src/components/FAQ.tsx:23 msgid "No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions." msgstr "No, no hay límites de uso con el plan Pro. Disfruta de la creación ilimitada de diagramas de flujo y funciones de IA, lo que te da la libertad de explorar e innovar sin restricciones." @@ -1379,9 +1477,15 @@ msgstr "Recargar para actualizar" #: src/components/RenameButton.tsx:100 #: src/components/RenameButton.tsx:121 #: src/components/RenameButton.tsx:163 +#: src/components/charts/ChartListItem.tsx:168 +#: src/components/charts/ChartModals.tsx:214 msgid "Rename" msgstr "Renombrar" +#: src/components/charts/ChartModals.tsx:187 +msgid "Rename {0}" +msgstr "Cambiar nombre de {0}" + #: src/pages/LogIn.tsx:164 msgid "Request Magic Link" msgstr "Solicitar enlace mágico" @@ -1471,6 +1575,10 @@ msgstr "Pago seguro" msgid "See more reviews on Product Hunt" msgstr "Ver más reseñas en Product Hunt" +#: src/components/charts/ChartModals.tsx:402 +msgid "Select a destination folder for \"{0}\"." +msgstr "Selecciona una carpeta de destino para \" + #: src/components/Tabs/ThemeTab.tsx:395 msgid "Set a consistent height for all nodes" msgstr "Establecer una altura consistente para todos los nodos" @@ -1506,6 +1614,18 @@ msgstr "¡Lo sentimos! Esta página solo está disponible en inglés." msgid "Sorry, there was an error converting the text to a flowchart. Try again later." msgstr "Lo siento, hubo un error al convertir el texto en un diagrama. Inténtalo de nuevo más tarde." +#: src/components/charts/ChartsToolbar.tsx:124 +msgid "Sort Ascending" +msgstr "Ordenar de forma ascendente" + +#: src/components/charts/ChartsToolbar.tsx:119 +msgid "Sort Descending" +msgstr "Ordenar de forma descendente" + +#: src/components/charts/ChartsToolbar.tsx:79 +msgid "Sort by {0}" +msgstr "Ordenar por {0}" + #: src/components/Tabs/ThemeTab.tsx:491 #: src/components/Tabs/ThemeTab.tsx:492 msgid "Source Arrow Shape" @@ -1780,6 +1900,10 @@ msgstr "Confiable por profesionales y académicos" msgid "Try AI" msgstr "Prueba IA" +#: src/components/charts/EmptyState.tsx:36 +msgid "Try adjusting your search or filters to find what you're looking for." +msgstr "Prueba a ajustar tu búsqueda o filtros para encontrar lo que estás buscando." + #: src/components/App.tsx:82 msgid "Try again" msgstr "Inténtalo de nuevo" @@ -1845,6 +1969,10 @@ msgstr "Impago" msgid "Update Email" msgstr "Actualizar correo electrónico" +#: src/components/charts/ChartsToolbar.tsx:109 +msgid "Updated Date" +msgstr "Fecha actualizada" + #: src/components/SandboxWarning.tsx:95 msgid "Upgrade Now - Save My Work" msgstr "Actualizar ahora - Guardar mi trabajo" @@ -2037,6 +2165,7 @@ msgid "You've used all your free AI conversions. Upgrade to Pro for unlimited AI msgstr "Has utilizado todas tus conversiones de IA gratuitas. Actualiza a Pro para un uso ilimitado de IA, temas personalizados, uso privado compartido y más. ¡Sigue creando increíbles diagramas de flujo sin esfuerzo!" #: src/pages/Charts.tsx:93 +#: src/pages/MyCharts.tsx:235 msgid "Your Charts" msgstr "Tus gráficos" diff --git a/app/src/locales/fr/messages.js b/app/src/locales/fr/messages.js index 0ca53de56..2056d2db9 100644 --- a/app/src/locales/fr/messages.js +++ b/app/src/locales/fr/messages.js @@ -1,5 +1,5 @@ /*eslint-disable*/ module.exports = { messages: JSON.parse( - '{"1 Temporary Flowchart":"1 Organigramme temporaire","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>Seul le CSS personnalisé est activé. Seuls les paramètres de mise en page et avancés seront appliqués.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun est un projet open source réalisé par <1>Tone\xA0Row","<0>Sign In / <1>Sign Up with email and password":"<0>Se connecter / <1>S\'inscrire avec email et mot de passe","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>Vous avez actuellement un compte gratuit.<1/><2>Apprenez-en plus sur nos fonctionnalités Pro et abonnez-vous sur notre page tarifaire.","A new version of the app is available. Please reload to update.":"Une nouvelle version de l\'application est disponible. Veuillez recharger pour mettre à jour.","AI Creation & Editing":"Création et édition d\'IA","AI-Powered Flowchart Creation":"Création de diagrammes de flux alimentés par l\'IA","AI-powered editing to supercharge your workflow":"Édition alimentée par l\'IA pour booster votre flux de travail","About":"À propos","Account":"Compte","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"Ajoutez un backslash (<0>\\\\) avant tout caractère spécial: <1>(, <2>:, <3>#, ou <4>.","Add some steps":"Ajouter des étapes","Advanced":"Avancé ","Align Horizontally":"Aligner Horizontalement","Align Nodes":"Aligner les nœuds","Align Vertically":"Aligner Verticalement","All this for just $4/month - less than your daily coffee ☕":"Tout cela pour seulement 4 $ par mois - moins que votre café quotidien ☕","Amount":"Montant","An error occurred. Try resubmitting or email {0} directly.":["Une erreur s\'est produite. Essayez de l\'envoyer à nouveau ou bien envoyez un e-mail à l\'adresse ",["0"],"."],"Appearance":"Thème","Are my flowcharts private?":"Mes diagrammes de flux sont-ils privés?","Are there usage limits?":"Y a-t-il des limites d\'utilisation?","Are you sure?":"Êtes-vous sûr(e) ?","Arrow Size":"Taille de la flèche","Attributes":"Attributs","August 2023":"Août 2023","Back":"Retour","Back To Editor":"Retour à l\'éditeur","Background Color":"Couleur de fond","Basic Flowchart":"Diagramme de flux de base","Become a Github Sponsor":"Devenez un sponsor Github","Become a Pro User":"Devenez un utilisateur Pro","Begin your journey":"Commencez votre voyage","Billed annually at $24":"Facturé annuellement à 24 $","Billed monthly at $4":"Facturé mensuellement à 4 $","Blog":"Blog","Book a Meeting":"Réserver une réunion","Border Color":"Couleur de bordure","Border Width":"Largeur de bordure","Bottom to Top":"De bas en haut","Breadthfirst":"Parcours en largeur","Build your personal flowchart library":"Construisez votre bibliothèque personnelle de diagrammes de flux","Cancel":"Annuler","Cancel anytime":"Annulez à tout moment","Cancel your subscription. Your hosted charts will become read-only.":"Résilier votre abonnement. Vos graphiques hébergés seront en lecture seule.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"Annuler est facile. Allez simplement sur votre page de compte, faites défiler jusqu\'en bas et cliquez sur annuler. Si vous n\'êtes pas entièrement satisfait, nous offrons un remboursement sur votre premier paiement.","Certain attributes can be used to customize the appearance or functionality of elements.":"Certains attributs peuvent être utilisés pour personnaliser l\'apparence ou la fonctionnalité des éléments.","Change Email Address":"Changer l\'adresse email","Changelog":"Journal des modifications","Charts":"Graphiques","Check out the guide:":"Vérifiez le guide :","Check your email for a link to log in.<0/>You can close this window.":"Vérifiez votre e-mail pour un lien de connexion. Vous pouvez fermer cette fenêtre.","Choose":"Choisir","Choose Template":"Choisir un modèle","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"Choisissez parmi une variété de formes de flèches pour la source et la cible d\'un bord. Les formes incluent triangle, triangle-tee, cercle-triangle, triangle-croix, triangle-backcurve, vee, tee, carré, cercle, diamant, chevron, aucun.","Choose how edges connect between nodes":"Choisissez comment les bords se connectent entre les nœuds","Choose how nodes are automatically arranged in your flowchart":"Choisissez comment les nœuds sont automatiquement disposés dans votre organigramme","Circle":"Cercle","Classes":"Classes","Clear":"Effacer","Clear text?":"Effacer le texte?","Clone":"Cloner","Close":"Fermer","Color":"Couleur","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"Les couleurs incluent le rouge, l\'orange, le jaune, le bleu, le pourpre, le noir, le blanc et le gris.","Column":"Colonne","Comment":"Commenter","Compare our plans and find the perfect fit for your flowcharting needs":"Comparez nos plans et trouvez celui qui convient parfaitement à vos besoins en matière de flowcharting","Concentric":"Concentrique","Confirm New Email":"Confirmer le nouveau Email","Confirm your email address to sign in.":"Confirmez votre adresse e-mail pour vous connecter.","Connect your Data":"Connectez vos données","Containers":"Conteneurs","Containers are nodes that contain other nodes. They are declared using curly braces.":"Les conteneurs sont des nœuds qui contiennent d\'autres nœuds. Ils sont déclarés à l\'aide de accolades.","Continue":"Continuer","Continue in Sandbox (Resets daily, work not saved)":"Continuer dans le bac à sable (Réinitialisé quotidiennement, travail non sauvegardé)","Controls the flow direction of hierarchical layouts":"Contrôle la direction du flux des mises en page hiérarchiques","Convert":"Convertir","Convert to Flowchart":"Convertir en diagramme","Convert to hosted chart?":"Convertir en graphique hébergé\xA0?","Cookie Policy":"Politique de cookies","Copied SVG code to clipboard":"Code SVG copié dans le presse-papier","Copied {format} to clipboard":[["format"]," copié dans le presse-papier"],"Copy":"Copier","Copy PNG Image":"Copier l\'image PNG","Copy SVG Code":"Copier le code SVG","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Copiez votre code Excalidraw et collez-le sur <0>excalidraw.com pour le modifier. Cette fonctionnalité est expérimentale et peut ne pas fonctionner avec tous les diagrammes. Si vous trouvez un bug, <1>faites-le nous savoir.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"Copiez votre code mermaid.js ou ouvrez-le directement dans l\'éditeur en direct mermaid.js.","Create":"Créer","Create Flowcharts using AI":"Créer des organigrammes à l\'aide de l\'IA","Create Unlimited Flowcharts":"Créer des diagrammes illimités","Create a New Chart":"Créer un nouveau graphique","Create a flowchart showing the steps of planning and executing a school fundraising event":"Créer un organigramme montrant les étapes de la planification et de l\'exécution d\'un événement de collecte de fonds scolaire","Create flowcharts instantly: Type or paste text, see it visualized.":"Créez des organigrammes instantanément : Tapez ou collez du texte, visualisez-le.","Create unlimited diagrams for just $4/month!":"Créez des diagrammes illimités pour seulement 4 $/mois !","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"Créez des diagrammes de flux illimités stockés dans le cloud, accessibles partout !","Create with AI":"Créer avec l\'intelligence artificielle","Creating an edge between two nodes is done by indenting the second node below the first":"Créer une arête entre deux nœuds est fait en indentant le second nœud sous le premier","Curve Style":"Style de courbe","Custom CSS":"CSS personnalisé","Custom Sharing Options":"Options de partage personnalisées","Customer Portal":"Portail Clients","Daily Sandbox Editor":"Éditeur Sandbox quotidien","Dark":"Sombre","Dark Mode":"Mode sombre","Data Import (Visio, Lucidchart, CSV)":"Importation de données (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"Fonction d\'importation de données pour des diagrammes complexes","Date":"Date","Design a software development lifecycle flowchart for an agile team":"Concevoir un organigramme du cycle de développement de logiciels pour une équipe agile","Develop a decision tree for a CEO to evaluate potential new market opportunities":"Élaborer un arbre de décision pour un PDG afin d\'évaluer de nouvelles opportunités de marché potentielles","Direction":"Direction","Dismiss":"Ignorer","Do you have a free trial?":"Avez-vous un essai gratuit?","Do you offer a non-profit discount?":"Offrez-vous une réduction pour les organisations à but non lucratif?","Do you want to delete this?":"Souhaitez-vous supprimer ceci ?","Document":"Document","Don\'t Lose Your Work":"Ne perdez pas votre travail","Download":"Télécharger","Download JPG":"Télécharger JPG","Download PNG":"Télécharger PNG","Download SVG":"Télécharger SVG","Drag and drop a CSV file here, or click to select a file":"Glissez-déposez un fichier CSV ici, ou cliquez pour sélectionner un fichier","Draw an edge from multiple nodes by beginning the line with a reference":"Dessinez une arête à partir de plusieurs nœuds en commençant la ligne par une référence","Drop the file here ...":"Déposez le fichier ici ...","Each line becomes a node":"Chaque ligne devient un nœud","Edge ID, Classes, Attributes":"ID Edge, Classes, Attributs","Edge Label":"Étiquette Edge","Edge Label Column":"Colonne d\'étiquette Edge","Edge Style":"Style Edge","Edge Text Size":"Taille du texte de bord","Edge missing indentation":"Indentation manquante du bord","Edges":"Bords","Edges are declared in the same row as their source node":"Les bords sont déclarés dans la même ligne que leur nœud source","Edges are declared in the same row as their target node":"Les bords sont déclarés dans la même ligne que leur nœud cible","Edges are declared in their own row":"Les bords sont déclarés dans leur propre ligne","Edges can also have ID\'s, classes, and attributes before the label":"Les bords peuvent également avoir des ID, des classes et des attributs avant l\'étiquette","Edges can be styled with dashed, dotted, or solid lines":"Les bords peuvent être stylisés avec des lignes en pointillés, en pointillés ou en lignes continues","Edges in Separate Rows":"Bordures en Rangs Séparés","Edges in Source Node Row":"Bordures dans la Ligne du Nœud Source","Edges in Target Node Row":"Bordures dans la Ligne du Nœud Cible","Edit":"Modifier","Edit with AI":"Modifier avec l\'IA","Editable":"Modifiable","Editor":"Éditeur","Email":"E-mail","Empty":"Vide","Enable to set a consistent height for all nodes":"Activer pour définir une hauteur constante pour tous les nœuds","Enter your email address and we\'ll send you a magic link to sign in.":"Entrez votre adresse e-mail et nous vous enverrons un lien magique pour vous connecter.","Enter your email address below and we\'ll send you a link to reset your password.":"Entrez votre adresse e-mail ci-dessous et nous vous enverrons un lien pour réinitialiser votre mot de passe.","Equal To":"Égal à","Everything you need to know about Flowchart Fun Pro":"Tout ce que vous devez savoir sur Flowchart Fun Pro","Examples":"Exemples","Excalidraw":"Excalidraw","Exclusive Office Hours":"Heures de bureau exclusives","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"Découvrez l\'efficacité et la sécurité du chargement de fichiers locaux directement dans votre organigramme, idéal pour gérer des documents professionnels hors ligne. Débloquez cette fonctionnalité exclusive Pro et bien plus encore avec Flowchart Fun Pro, disponible pour seulement 4 $/mois.","Explore more":"Explorez plus","Export":"Exporter","Export clean diagrams without branding":"Exportez des diagrammes propres sans branding","Export to PNG & JPG":"Exporter en PNG et JPG","Export to PNG, JPG, and SVG":"Exporter en PNG, JPG et SVG","Feature Breakdown":"Démontage des fonctionnalités","Feedback":"Commentaire","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"N\'hésitez pas à explorer et à nous contacter via la page <0>Commentaires si vous avez des inquiétudes.","Fine-tune layouts and visual styles":"Affinez les mises en page et les styles visuels","Fixed Height":"Hauteur fixe","Fixed Node Height":"Hauteur de nœud fixe","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Flowchart Fun Pro vous offre des organigrammes illimités, des collaborateurs illimités et un stockage illimité pour seulement 4 $/mois.","Follow Us on Twitter":"Suivez-nous sur Twitter","Font Family":"Famille de polices","Forgot your password?":"Mot de passe oublié ?","Found a bug? Have a feature request? We would love to hear from you!":"Vous avez trouvé un bug ? Vous souhaitez faire une demande de fonctionnalité ? Nous aimerions beaucoup vous entendre !","Free":"Gratuit ","Frequently Asked Questions":"Foire aux questions","Full-screen, read-only, and template sharing":"Partage en plein écran, en lecture seule et de modèles","Fullscreen":"Plein écran","General":"Général ","Generate flowcharts from text automatically":"Générez automatiquement des diagrammes de flux à partir de texte","Get Pro Access Now":"Obtenez un accès Pro maintenant","Get Unlimited AI Requests":"Obtenez des demandes illimitées d\'IA","Get rapid responses to your questions":"Obtenez des réponses rapides à vos questions","Get unlimited flowcharts and premium features":"Obtenez des flux de travail illimités et des fonctionnalités premium","Go back home":"Retournez à la maison","Go to the Editor":"Aller à l\'éditeur","Go to your Sandbox":"Allez à votre bac à sable","Graph":"Graphique","Green?":"Vert?","Grid":"Quadrillage","Have complex questions or issues? We\'re here to help.":"Des questions ou des problèmes complexes ? Nous sommes là pour vous aider. ","Here are some Pro features you can now enjoy.":"Voici quelques fonctionnalités Pro dont vous pouvez maintenant profiter.","High-quality exports with embedded fonts":"Des exports de haute qualité avec des polices intégrées","History":"Historique","Home":"Accueil","How are edges declared in this data?":"Comment les bords sont-ils déclarés dans ces données?","How do I cancel my subscription?":"Comment annuler mon abonnement?","How does AI flowchart generation work?":"Comment fonctionne la génération de diagrammes de flux par l\'IA ?","How would you like to save your chart?":"Comment souhaitez-vous enregistrer votre graphique?","I would like to request a new template:":"Je voudrais demander un nouveau modèle :","ID\'s":"ID","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"Si un compte avec cet e-mail existe, nous vous avons envoyé un e-mail avec des instructions sur la façon de réinitialiser votre mot de passe.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"Si vous appréciez l\'utilisation de <0>Flowchart Fun, veuillez envisager de soutenir le projet","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"Si vous souhaitez créer un bord, faites une indentation de cette ligne. Sinon, échappez le deux-points avec une barre oblique <0>\\\\:","Images":"Images","Import Data":"Importer des données","Import data from a CSV file.":"Importer des données à partir d\'un fichier CSV.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"Importer des données à partir de n\'importe quel fichier CSV et les mapper à un nouveau diagramme. C\'est une excellente façon d\'importer des données à partir d\'autres sources telles que Lucidchart, Google Sheets et Visio.","Import from CSV":"Importer depuis CSV","Import from Visio, Lucidchart, and CSV":"Importer à partir de Visio, Lucidchart et CSV","Import from popular diagram tools":"Importez à partir d\'outils de diagrammes populaires","Import your diagram it into Microsoft Visio using one of these CSV files.":"Importez votre diagramme dans Microsoft Visio à l\'aide de l\'un de ces fichiers CSV.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"L\'importation de données est une fonctionnalité professionnelle. Vous pouvez passer à Flowchart Fun Pro pour seulement 4 $ par mois.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"Incluez un titre en utilisant un attribut <0>title. Pour utiliser la coloration Visio, ajoutez un attribut <1>roleType égal à l\'un des éléments suivants:","Indent to connect nodes":"Indentez pour connecter les nœuds","Info":"Info","Is":"Est","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON Canvas est une représentation JSON de votre diagramme utilisée par <0>Obsidian Canvas et d\'autres applications.","Join 2000+ professionals who\'ve upgraded their workflow":"Rejoignez plus de 2000 professionnels qui ont amélioré leur flux de travail","Join thousands of happy users who love Flowchart Fun":"Rejoignez des milliers d\'utilisateurs satisfaits qui adorent Flowchart Fun","Keep Things Private":"Garder les choses privées","Keep changes?":"Conserver les modifications ?","Keep practicing":"Continuez à pratiquer","Keep your data private on your computer":"Gardez vos données privées sur votre ordinateur","Language":"Langue","Layout":"Disposition ","Layout Algorithm":"Algorithme de mise en page","Layout Frozen":"Mise en page gelée","Leading References":"Principales références","Learn More":"En savoir plus","Learn Syntax":"Apprendre la syntaxe","Learn about Flowchart Fun Pro":"En savoir plus sur Flowchart Fun Pro","Left to Right":"De gauche à droite","Let us know why you\'re canceling. We\'re always looking to improve.":"Faites-nous savoir pourquoi vous annulez. Nous cherchons toujours à nous améliorer.","Light":"Lumineux","Light Mode":"Mode lumineux","Link":"Lien","Link back":"Faites un lien en arrière","Load":"Charger","Load Chart":"Charger le graphique","Load File":"Charger le fichier","Load Files":"Charger des fichiers","Load default content":"Charger le contenu par défaut","Load from link?":"Charger à partir du lien?","Load layout and styles":"Charger la mise en page et les styles","Local File Support":"Support de fichier local","Local saving for offline access":"Enregistrement local pour un accès hors ligne","Lock Zoom to Graph":"Verrouiller le Zoom sur le Graphique","Log In":"Connexion","Log Out":"Déconnexion","Log in to Save":"Connectez-vous pour enregistrer","Log in to upgrade your account":"Connectez-vous pour mettre à niveau votre compte","Make a One-Time Donation":"Faites un don unique","Make publicly accessible":"Rendre accessible au public","Manage Billing":"Gérer la facturation","Map Data":"Cartographier les données","Maximum width of text inside nodes":"Largeur maximale du texte à l\'intérieur des nœuds","Monthly":"Mensuel","Multiple pointers on same line":"Plusieurs pointeurs sur la même ligne","My dog ate my credit card!":"Mon chien a mangé ma carte de crédit!","Name Chart":"Nommer le graphique","Name your chart":"Nommez votre graphique","New":"Nouveau","New Email":"Nouveau courriel","Next charge":"Prochain paiement","No Edges":"Pas de bords","No Watermarks!":"Pas de filigranes !","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"Non, il n\'y a pas de limites d\'utilisation avec le plan Pro. Profitez de la création illimitée de diagrammes de flux et des fonctionnalités de l\'IA, vous offrant la liberté d\'explorer et d\'innover sans restrictions.","Node Border Style":"Style de bordure de nœud","Node Colors":"Couleurs de nœud","Node ID":"Identifiant de nœud","Node ID, Classes, Attributes":"Identifiant de nœud, classes, attributs","Node Label":"Étiquette de nœud","Node Shape":"Forme de nœud","Node Shapes":"Formes de nœud","Nodes":"Nœuds","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"Les nœuds peuvent être stylisés avec des traits, des points ou des doubles. Les bordures peuvent également être supprimées avec border_none.","Not Empty":"Pas vide","Now you\'re thinking with flowcharts!":"Maintenant vous pensez avec des organigrammes !","Office Hours":"Heures de travail","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":" temps en temps, le lien magique finira par atterrir dans votre dossier de pourriel. Si vous ne le voyez pas après quelques minutes, vérifiez-y ou demandez un nouveau lien.","One on One Support":"Un à un support","One-on-One Support":"Assistance individuelle","Open Customer Portal":"Ouvrir le portail client","Operation canceled":"Opération annulée","Or maybe blue!":"Ou peut-être bleu !","Organization Chart":"Organigramme","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"Notre IA crée des diagrammes à partir de vos indications textuelles, permettant des modifications manuelles sans effort ou des ajustements assistés par l\'IA. Contrairement à d\'autres, notre plan Pro offre des générations et des modifications illimitées par l\'IA, vous permettant de créer sans limites.","Padding":"Rembourrage","Page not found":"Page non trouvée","Password":"Mot de passe ","Past Due":"En retard","Paste a document to convert it":"Collez un document pour le convertir","Paste your document or outline here to convert it into an organized flowchart.":"Collez votre document ou votre plan ici pour le convertir en un organigramme organisé.","Pasted content detected. Convert to Flowchart Fun syntax?":"Contenu collé détecté. Convertir en syntaxe de Flowchart Fun ?","Perfect for docs and quick sharing":"Parfait pour les documents et le partage rapide","Permanent Charts are a Pro Feature":"Les diagrammes permanents sont une fonctionnalité Pro","Playbook":"Livre-jeu","Pointer and container on same line":"Pointeur et conteneur sur la même ligne","Priority One-on-One Support":"Support prioritaire en tête-à-tête","Privacy Policy":"Politique de confidentialité","Pro tip: Right-click any node to customize its shape and color":"Astuce pro : faites un clic droit sur n\'importe quel noeud pour personnaliser sa forme et sa couleur","Processing Data":"Traitement des données","Processing...":"Traitement en cours...","Prompt":"Invite","Public":"Public","Quick experimentation space that resets daily":"Espace d\'expérimentation rapide qui se réinitialise quotidiennement","Random":"Aléatoire","Rapid Deployment Templates":"Modèles de déploiement rapide","Rapid Templates":"Modèles rapides","Raster Export (PNG, JPG)":"Exportation de rasters (PNG, JPG)","Rate limit exceeded. Please try again later.":"Limite de taux dépassée. Veuillez réessayer plus tard.","Read-only":"Lecture seulement","Reference by Class":"Référence par classe","Reference by ID":"Référence par ID","Reference by Label":"Référence par étiquette","References":"Références","References are used to create edges between nodes that are created elsewhere in the document":"Les références sont utilisées pour créer des arêtes entre les nœuds créés ailleurs dans le document","Referencing a node by its exact label":"Référencer un nœud par sa étiquette exacte","Referencing a node by its unique ID":"Référencer un nœud par son ID unique","Referencing multiple nodes with the same assigned class":"Référencement de multiples nœuds avec la même classe assignée","Refresh Page":"Rafraîchir la page","Reload to Update":"Recharger pour mettre à jour","Rename":"Renommer","Request Magic Link":"Demandez un lien magique","Request Password Reset":"Demandez une réinitialisation du mot de passe ","Reset":"Réinitialiser","Reset Password":"Réinitialiser le mot de passe","Resume Subscription":"Reprendre l\'abonnement","Return":"Retour","Right to Left":"De droite à gauche","Right-click nodes for options":"Cliquez avec le bouton droit sur les nœuds pour voir les options","Roadmap":"Roadmap","Rotate Label":"Faire pivoter l\'étiquette","SVG Export is a Pro Feature":"L\'exportation SVG est une fonctionnalité Pro","Satisfaction guaranteed or first payment refunded":"Satisfaction garantie ou remboursement du premier paiement","Save":"Sauver","Save time with AI and dictation, making it easy to create diagrams.":"Gagnez du temps avec l\'IA et la dictée, ce qui facilite la création de diagrammes.","Save to Cloud":"Enregistrer dans le Cloud","Save to File":"Enregistrer dans un fichier","Save your Work":"Enregistrer votre travail","Schedule personal consultation sessions":"Planifier des sessions de consultation personnelle","Secure payment":"Paiement sécurisé","See more reviews on Product Hunt":"Voir plus de critiques sur Product Hunt","Set a consistent height for all nodes":"Définir une hauteur constante pour tous les nœuds","Settings":"Paramètres","Share":"Partager","Sign In":"Se connecter ","Sign in with <0>GitHub":"Se connecter avec <0>GitHub","Sign in with <0>Google":"Se connecter avec <0>Google","Sorry! This page is only available in English.":"Désolé ! Cette page n\'est disponible qu\'en anglais.","Sorry, there was an error converting the text to a flowchart. Try again later.":"Désolé, une erreur s\'est produite lors de la conversion du texte en diagramme. Veuillez réessayer plus tard.","Source Arrow Shape":"Forme de la flèche source","Source Column":"Colonne source","Source Delimiter":"Délimiteur source","Source Distance From Node":"Distance de la source du nœud","Source/Target Arrow Shape":"Forme de flèche source / cible","Spacing":"Espacement","Special Attributes":"Attributs spéciaux","Start":"Début","Start Over":"Recommencer","Start faster with use-case specific templates":"Démarrer plus rapidement avec des modèles spécifiques aux cas d\'utilisation","Status":"État","Step 1":"Étape 1","Step 2":"Étape 2","Step 3":"Étape 3","Store any data associated to a node":"Stocker toutes les données associées à un nœud","Style Classes":"Classes de style","Style with classes":"Style avec des classes","Submit":"Soumettre","Subscribe to Pro and flowchart the fun way!":"Abonnez-vous à Pro et créez des organigrammes de manière amusante !","Subscription":"Abonnement","Subscription Successful!":"Abonnement réussi !","Subscription will end":"L\'abonnement prendra fin","Target Arrow Shape":"Forme de la flèche cible","Target Column":"Colonne cible","Target Delimiter":"Délimiteur cible","Target Distance From Node":"Distance cible du nœud","Text Color":"Couleur du texte","Text Horizontal Offset":"Décalage horizontal du texte","Text Leading":"Texte principal","Text Max Width":"Largeur maximale du texte","Text Vertical Offset":"Décalage vertical du texte","Text followed by colon+space creates an edge with the text as the label":"Texte suivi d\'un deux-points + espace crée un bord avec le texte comme étiquette","Text on a line creates a node with the text as the label":"Texte sur une ligne crée un nœud avec le texte comme étiquette","Thank you for your feedback!":"Merci pour votre commentaire !","The best way to change styles is to right-click on a node or an edge and select the style you want.":"La meilleure façon de changer les styles est de cliquer avec le bouton droit sur un nœud ou une arête et de sélectionner le style souhaité.","The column that contains the edge label(s)":"La colonne qui contient les étiquettes de bord","The column that contains the source node ID(s)":"La colonne qui contient les ID de nœud source","The column that contains the target node ID(s)":"La colonne qui contient les ID de nœud cible","The delimiter used to separate multiple source nodes":"Le délimiteur utilisé pour séparer plusieurs nœuds source","The delimiter used to separate multiple target nodes":"Le délimiteur utilisé pour séparer plusieurs nœuds cibles","The possible shapes are:":"Les formes possibles sont :","Theme":"Thème","Theme Customization Editor":"Éditeur de personnalisation de thème","Theme Editor":"Éditeur de thème","There are no edges in this data":"Il n\'y a pas d\'arêtes dans ces données","This action cannot be undone.":"Cette action ne peut pas être annulée.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"Cette fonctionnalité est uniquement disponible pour les utilisateurs pro. <0>Devenez un utilisateur pro pour la débloquer.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"Cela peut prendre entre 30 secondes et 2 minutes en fonction de la longueur de votre entrée.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"Ce bac à sable est parfait pour expérimenter, mais n\'oubliez pas - il se réinitialise quotidiennement. Mettez à niveau maintenant et conservez votre travail actuel!","This will replace the current content.":"Cela remplacera le contenu actuel.","This will replace your current chart content with the template content.":"Cela remplacera le contenu actuel de votre diagramme par le contenu du modèle.","This will replace your current sandbox.":"Cela remplacera votre bac à sable actuel.","Time to decide":"Temps de décider","Tip":"Astuce","To fix this change one of the edge IDs":"Pour corriger cela, changez l\'un des ID de bord","To fix this change one of the node IDs":"Pour corriger ceci, changez l\'un des ID de nœud","To fix this move one pointer to the next line":"Pour corriger ceci, déplacez un pointeur vers la ligne suivante","To fix this start the container <0/> on a different line":"Pour corriger cela, commencez le conteneur <0/> sur une ligne différente.","To learn more about why we require you to log in, please read <0>this blog post.":"Pour en savoir plus sur la raison pour laquelle nous vous demandons de vous connecter, veuillez lire <0>ce message de blog.","Top to Bottom":"De haut en bas","Transform Your Ideas into Professional Diagrams in Seconds":"Transformez vos idées en diagrammes professionnels en quelques secondes","Transform text into diagrams instantly":"Transformez instantanément du texte en diagrammes","Trusted by Professionals and Academics":"Fait confiance aux professionnels et aux universitaires","Try AI":"Essayez l\'IA","Try again":"Réessayer","Turn your ideas into professional diagrams in seconds":"Transformez vos idées en diagrammes professionnels en quelques secondes","Two edges have the same ID":"Deux arêtes ont le même ID","Two nodes have the same ID":"Deux nœuds ont le même ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"Oh oh, vous n\'avez plus de demandes gratuites ! Passez à Flowchart Fun Pro pour des conversions de diagrammes illimitées et continuez à transformer du texte en des flux visuels clairs aussi facilement que copier-coller.","Unescaped special character":"Caractère spécial non échappé","Unique text value to identify a node":"Valeur de texte unique pour identifier un nœud","Unknown":"Inconnu","Unknown Parsing Error":"Erreur d\'analyse inconnue","Unlimited Flowcharts":"Flowcharts illimités","Unlimited Permanent Flowcharts":"Flux de diagrammes permanents illimités","Unlimited cloud-saved flowcharts":"Des organigrammes sauvegardés dans le cloud en illimité","Unlock AI Features and never lose your work with a Pro account.":"Débloquez les fonctionnalités de l\'IA et ne perdez jamais votre travail avec un compte Pro.","Unlock Unlimited AI Flowcharts":"Débloquez des organigrammes AI illimités","Unpaid":"Impayé","Update Email":"Mettre à jour l\'e-mail","Upgrade Now - Save My Work":"Mettre à niveau maintenant - Sauvegarder mon travail","Upgrade to Flowchart Fun Pro and unlock:":"Passez à Flowchart Fun Pro et débloquez:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Mettez à niveau vers Flowchart Fun Pro pour débloquer les exportations SVG et profiter de fonctionnalités avancées pour vos diagrammes.","Upgrade to Pro":"Mettez à niveau vers Pro","Upgrade to Pro for $2/month":"Passer à la version Pro pour 2 $ par mois","Upload your File":"Téléchargez votre fichier","Use Custom CSS Only":"Utiliser uniquement du CSS personnalisé","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"Utilisez Lucidchart ou Visio ? L\'importation CSV facilite l\'obtention de données à partir de n\'importe quelle source !","Use classes to group nodes":"Utilisez des classes pour regrouper les nœuds","Use the attribute <0>href to set a link on a node that opens in a new tab.":"Utilisez l\'attribut <0>href pour créer un lien sur un nœud qui s\'ouvre dans un nouvel onglet.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"Utilisez l\'attribut <0>src pour définir l\'image d\'un nœud. L\'image sera mise à l\'échelle pour s\'adapter au nœud, vous devrez donc peut-être ajuster la largeur et la hauteur du nœud pour obtenir le résultat souhaité. Seules les images publiques (non bloquées par CORS) sont prises en charge.","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"Utilisez les attributs <0>w et <1>h pour définir explicitement la largeur et la hauteur d\'un nœud.","Use the customer portal to change your billing information.":"Utilisez le portail client pour modifier vos informations de facturation.","Use these settings to adapt the look and behavior of your flowcharts":"Utilisez ces paramètres pour adapter l\'apparence et le comportement de vos diagrammes de flux","Use this file for org charts, hierarchies, and other organizational structures.":"Utilisez ce fichier pour les organigrammes, les hiérarchies et autres structures organisationnelles.","Use this file for sequences, processes, and workflows.":"Utilisez ce fichier pour les séquences, les processus et les workflows.","Use this mode to modify and enhance your current chart.":"Utilisez ce mode pour modifier et améliorer votre diagramme actuel.","User":"Utilisateur","Vector Export (SVG)":"Exportation de vecteurs (SVG)","View on Github":"Voir sur Github","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"Vous souhaitez créer un diagramme à partir d\'un document ? Collez-le dans l\'éditeur et cliquez sur \'Convertir en diagramme\'","Watermark-Free Diagrams":"Diagrammes sans filigrane","Watermarks":"Filigranes","Welcome to Flowchart Fun":"Bienvenue dans Flowchart Fun","What our users are saying":"Ce que nos utilisateurs disent","What\'s next?":"Quelle est la prochaine étape ?","What\'s this?":"Qu\'est-ce que c\'est?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"Bien que nous n\'offrions pas d\'essai gratuit, nos tarifs sont conçus pour être aussi accessibles que possible, en particulier pour les étudiants et les enseignants. Pour seulement 4 $ par mois, vous pouvez explorer toutes les fonctionnalités et décider si cela vous convient. N\'hésitez pas à vous abonner, à l\'essayer et à vous réabonner chaque fois que vous en avez besoin.","Width":"Largeur","Width and Height":"Largeur et hauteur","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"Avec la version Pro de Flowchart Fun, vous pouvez utiliser des commandes en langage naturel pour rapidement détailler votre organigramme, idéal pour créer des diagrammes en déplacement. Pour 4 $ par mois, profitez de la facilité de l\'édition accessible par l\'IA pour améliorer votre expérience de création d\'organigrammes.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"Avec la version pro, vous pouvez enregistrer et charger des fichiers locaux. C\'est parfait pour gérer des documents professionnels hors ligne.","Would you like to continue?":"Voulez-vous continuer ?","Would you like to suggest a new example?":"Souhaitez-vous suggérer un nouvel exemple ?","Wrap text in parentheses to connect to any node":"Entourez le texte entre parenthèses pour le connecter à n\'importe quel nœud","Write like an outline":"Écrivez comme un plan","Write your prompt here or click to enable the microphone, then press and hold to record.":"Écrivez votre message ici ou cliquez pour activer le microphone, puis maintenez pour enregistrer.","Yearly":"Annuellement","Yes, Replace Content":"Oui, remplacer le contenu","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"Oui, nous soutenons les organisations à but non lucratif avec des réductions spéciales. Contactez-nous avec le statut de votre organisation à but non lucratif pour en savoir plus sur la façon dont nous pouvons vous aider.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"Oui, vos diagrammes de flux dans le cloud sont accessibles uniquement lorsque vous êtes connecté. De plus, vous pouvez enregistrer et charger des fichiers localement, ce qui est parfait pour gérer des documents sensibles liés au travail hors ligne.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["Vous êtes sur le point d\'ajouter ",["numNodes"]," nœuds et ",["numEdges"]," arêtes à votre graphe."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"Vous pouvez créer des diagrammes de flux illimités et permanents avec <0>Flowchart Fun Pro.","You need to log in to access this page.":"Vous devez vous connecter pour accéder à cette page.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"Vous êtes déjà un utilisateur Pro. <0>Gérer l\'abonnement<1/>Vous avez des questions ou des demandes de fonctionnalités? <2>Faites-le nous savoir","You\'re doing great!":"Vous vous en sortez très bien !","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"Vous avez utilisé toutes vos conversions gratuites d\'IA. Passez à la version Pro pour une utilisation illimitée de l\'IA, des thèmes personnalisés, un partage privé et plus encore. Continuez à créer des diagrammes de flux incroyables sans effort !","Your Charts":"Vos diagrammes","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"Votre bac à sable est un espace pour expérimenter librement avec nos outils de diagramme, se réinitialisant chaque jour pour un nouveau départ.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"Vos graphiques sont en lecture seule car votre compte n\'est plus actif. Visitez votre page <0>compte pour en savoir plus.","Your subscription is <0>{statusDisplay}.":["Votre abonnement est <0>",["statusDisplay"],"."],"Zoom In":"Zoomer","Zoom Out":"Zoomer vers l\'extérieur","month":"mois","or":"ou","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' + '{"1 Temporary Flowchart":"1 Organigramme temporaire","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>Seul le CSS personnalisé est activé. Seuls les paramètres de mise en page et avancés seront appliqués.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun est un projet open source réalisé par <1>Tone\xA0Row","<0>Sign In / <1>Sign Up with email and password":"<0>Se connecter / <1>S\'inscrire avec email et mot de passe","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>Vous avez actuellement un compte gratuit.<1/><2>Apprenez-en plus sur nos fonctionnalités Pro et abonnez-vous sur notre page tarifaire.","A new version of the app is available. Please reload to update.":"Une nouvelle version de l\'application est disponible. Veuillez recharger pour mettre à jour.","AI Creation & Editing":"Création et édition d\'IA","AI-Powered Flowchart Creation":"Création de diagrammes de flux alimentés par l\'IA","AI-powered editing to supercharge your workflow":"Édition alimentée par l\'IA pour booster votre flux de travail","About":"À propos","Account":"Compte","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"Ajoutez un backslash (<0>\\\\) avant tout caractère spécial: <1>(, <2>:, <3>#, ou <4>.","Add some steps":"Ajouter des étapes","Advanced":"Avancé ","Align Horizontally":"Aligner Horizontalement","Align Nodes":"Aligner les nœuds","Align Vertically":"Aligner Verticalement","All this for just $4/month - less than your daily coffee ☕":"Tout cela pour seulement 4 $ par mois - moins que votre café quotidien ☕","Amount":"Montant","An error occurred. Try resubmitting or email {0} directly.":["Une erreur s\'est produite. Essayez de l\'envoyer à nouveau ou bien envoyez un e-mail à l\'adresse ",["0"],"."],"Appearance":"Thème","Are my flowcharts private?":"Mes diagrammes de flux sont-ils privés?","Are there usage limits?":"Y a-t-il des limites d\'utilisation?","Are you sure you want to delete the flowchart \\"{0}\\"? This action cannot be undone.":"Êtes-vous sûr de vouloir supprimer le diagramme de flux ?","Are you sure you want to delete the folder \\"{0}\\" and all its contents? This action cannot be undone.":"Êtes-vous sûr de vouloir supprimer le dossier ?","Are you sure you want to delete the folder \\"{0}\\"? This action cannot be undone.":"Êtes-vous sûr de vouloir supprimer le dossier ?","Are you sure?":"Êtes-vous sûr(e) ?","Arrow Size":"Taille de la flèche","Attributes":"Attributs","August 2023":"Août 2023","Back":"Retour","Back To Editor":"Retour à l\'éditeur","Background Color":"Couleur de fond","Basic Flowchart":"Diagramme de flux de base","Become a Github Sponsor":"Devenez un sponsor Github","Become a Pro User":"Devenez un utilisateur Pro","Begin your journey":"Commencez votre voyage","Billed annually at $24":"Facturé annuellement à 24 $","Billed monthly at $4":"Facturé mensuellement à 4 $","Blog":"Blog","Book a Meeting":"Réserver une réunion","Border Color":"Couleur de bordure","Border Width":"Largeur de bordure","Bottom to Top":"De bas en haut","Breadthfirst":"Parcours en largeur","Build your personal flowchart library":"Construisez votre bibliothèque personnelle de diagrammes de flux","Cancel":"Annuler","Cancel anytime":"Annulez à tout moment","Cancel your subscription. Your hosted charts will become read-only.":"Résilier votre abonnement. Vos graphiques hébergés seront en lecture seule.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"Annuler est facile. Allez simplement sur votre page de compte, faites défiler jusqu\'en bas et cliquez sur annuler. Si vous n\'êtes pas entièrement satisfait, nous offrons un remboursement sur votre premier paiement.","Certain attributes can be used to customize the appearance or functionality of elements.":"Certains attributs peuvent être utilisés pour personnaliser l\'apparence ou la fonctionnalité des éléments.","Change Email Address":"Changer l\'adresse email","Changelog":"Journal des modifications","Charts":"Graphiques","Check out the guide:":"Vérifiez le guide :","Check your email for a link to log in.<0/>You can close this window.":"Vérifiez votre e-mail pour un lien de connexion. Vous pouvez fermer cette fenêtre.","Choose":"Choisir","Choose Template":"Choisir un modèle","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"Choisissez parmi une variété de formes de flèches pour la source et la cible d\'un bord. Les formes incluent triangle, triangle-tee, cercle-triangle, triangle-croix, triangle-backcurve, vee, tee, carré, cercle, diamant, chevron, aucun.","Choose how edges connect between nodes":"Choisissez comment les bords se connectent entre les nœuds","Choose how nodes are automatically arranged in your flowchart":"Choisissez comment les nœuds sont automatiquement disposés dans votre organigramme","Circle":"Cercle","Classes":"Classes","Clear":"Effacer","Clear text?":"Effacer le texte?","Clone":"Cloner","Clone Flowchart":"Cloner le diagramme de flux","Close":"Fermer","Color":"Couleur","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"Les couleurs incluent le rouge, l\'orange, le jaune, le bleu, le pourpre, le noir, le blanc et le gris.","Column":"Colonne","Comment":"Commenter","Compare our plans and find the perfect fit for your flowcharting needs":"Comparez nos plans et trouvez celui qui convient parfaitement à vos besoins en matière de flowcharting","Concentric":"Concentrique","Confirm New Email":"Confirmer le nouveau Email","Confirm your email address to sign in.":"Confirmez votre adresse e-mail pour vous connecter.","Connect your Data":"Connectez vos données","Containers":"Conteneurs","Containers are nodes that contain other nodes. They are declared using curly braces.":"Les conteneurs sont des nœuds qui contiennent d\'autres nœuds. Ils sont déclarés à l\'aide de accolades.","Continue":"Continuer","Continue in Sandbox (Resets daily, work not saved)":"Continuer dans le bac à sable (Réinitialisé quotidiennement, travail non sauvegardé)","Controls the flow direction of hierarchical layouts":"Contrôle la direction du flux des mises en page hiérarchiques","Convert":"Convertir","Convert to Flowchart":"Convertir en diagramme","Convert to hosted chart?":"Convertir en graphique hébergé\xA0?","Cookie Policy":"Politique de cookies","Copied SVG code to clipboard":"Code SVG copié dans le presse-papier","Copied {format} to clipboard":[["format"]," copié dans le presse-papier"],"Copy":"Copier","Copy PNG Image":"Copier l\'image PNG","Copy SVG Code":"Copier le code SVG","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Copiez votre code Excalidraw et collez-le sur <0>excalidraw.com pour le modifier. Cette fonctionnalité est expérimentale et peut ne pas fonctionner avec tous les diagrammes. Si vous trouvez un bug, <1>faites-le nous savoir.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"Copiez votre code mermaid.js ou ouvrez-le directement dans l\'éditeur en direct mermaid.js.","Create":"Créer","Create Flowcharts using AI":"Créer des organigrammes à l\'aide de l\'IA","Create Unlimited Flowcharts":"Créer des diagrammes illimités","Create a New Chart":"Créer un nouveau graphique","Create a flowchart showing the steps of planning and executing a school fundraising event":"Créer un organigramme montrant les étapes de la planification et de l\'exécution d\'un événement de collecte de fonds scolaire","Create a new flowchart to get started or organize your work with folders.":"Créez un nouveau diagramme de flux pour commencer ou organisez votre travail avec des dossiers.","Create flowcharts instantly: Type or paste text, see it visualized.":"Créez des organigrammes instantanément : Tapez ou collez du texte, visualisez-le.","Create unlimited diagrams for just $4/month!":"Créez des diagrammes illimités pour seulement 4 $/mois !","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"Créez des diagrammes de flux illimités stockés dans le cloud, accessibles partout !","Create with AI":"Créer avec l\'intelligence artificielle","Created Date":"Date de création","Creating an edge between two nodes is done by indenting the second node below the first":"Créer une arête entre deux nœuds est fait en indentant le second nœud sous le premier","Curve Style":"Style de courbe","Custom CSS":"CSS personnalisé","Custom Sharing Options":"Options de partage personnalisées","Customer Portal":"Portail Clients","Daily Sandbox Editor":"Éditeur Sandbox quotidien","Dark":"Sombre","Dark Mode":"Mode sombre","Data Import (Visio, Lucidchart, CSV)":"Importation de données (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"Fonction d\'importation de données pour des diagrammes complexes","Date":"Date","Delete":"Supprimer","Delete {0}":["Supprimer ",["0"]],"Design a software development lifecycle flowchart for an agile team":"Concevoir un organigramme du cycle de développement de logiciels pour une équipe agile","Develop a decision tree for a CEO to evaluate potential new market opportunities":"Élaborer un arbre de décision pour un PDG afin d\'évaluer de nouvelles opportunités de marché potentielles","Direction":"Direction","Dismiss":"Ignorer","Do you have a free trial?":"Avez-vous un essai gratuit?","Do you offer a non-profit discount?":"Offrez-vous une réduction pour les organisations à but non lucratif?","Do you want to delete this?":"Souhaitez-vous supprimer ceci ?","Document":"Document","Don\'t Lose Your Work":"Ne perdez pas votre travail","Download":"Télécharger","Download JPG":"Télécharger JPG","Download PNG":"Télécharger PNG","Download SVG":"Télécharger SVG","Drag and drop a CSV file here, or click to select a file":"Glissez-déposez un fichier CSV ici, ou cliquez pour sélectionner un fichier","Draw an edge from multiple nodes by beginning the line with a reference":"Dessinez une arête à partir de plusieurs nœuds en commençant la ligne par une référence","Drop the file here ...":"Déposez le fichier ici ...","Each line becomes a node":"Chaque ligne devient un nœud","Edge ID, Classes, Attributes":"ID Edge, Classes, Attributs","Edge Label":"Étiquette Edge","Edge Label Column":"Colonne d\'étiquette Edge","Edge Style":"Style Edge","Edge Text Size":"Taille du texte de bord","Edge missing indentation":"Indentation manquante du bord","Edges":"Bords","Edges are declared in the same row as their source node":"Les bords sont déclarés dans la même ligne que leur nœud source","Edges are declared in the same row as their target node":"Les bords sont déclarés dans la même ligne que leur nœud cible","Edges are declared in their own row":"Les bords sont déclarés dans leur propre ligne","Edges can also have ID\'s, classes, and attributes before the label":"Les bords peuvent également avoir des ID, des classes et des attributs avant l\'étiquette","Edges can be styled with dashed, dotted, or solid lines":"Les bords peuvent être stylisés avec des lignes en pointillés, en pointillés ou en lignes continues","Edges in Separate Rows":"Bordures en Rangs Séparés","Edges in Source Node Row":"Bordures dans la Ligne du Nœud Source","Edges in Target Node Row":"Bordures dans la Ligne du Nœud Cible","Edit":"Modifier","Edit with AI":"Modifier avec l\'IA","Editable":"Modifiable","Editor":"Éditeur","Email":"E-mail","Empty":"Vide","Enable to set a consistent height for all nodes":"Activer pour définir une hauteur constante pour tous les nœuds","Enter a name for the cloned flowchart.":"Entrez un nom pour le flowchart cloné.","Enter a name for the new folder.":"Entrez un nom pour le nouveau dossier.","Enter a new name for the {0}.":["Entrez un nouveau nom pour le ",["0"],"."],"Enter your email address and we\'ll send you a magic link to sign in.":"Entrez votre adresse e-mail et nous vous enverrons un lien magique pour vous connecter.","Enter your email address below and we\'ll send you a link to reset your password.":"Entrez votre adresse e-mail ci-dessous et nous vous enverrons un lien pour réinitialiser votre mot de passe.","Equal To":"Égal à","Everything you need to know about Flowchart Fun Pro":"Tout ce que vous devez savoir sur Flowchart Fun Pro","Examples":"Exemples","Excalidraw":"Excalidraw","Exclusive Office Hours":"Heures de bureau exclusives","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"Découvrez l\'efficacité et la sécurité du chargement de fichiers locaux directement dans votre organigramme, idéal pour gérer des documents professionnels hors ligne. Débloquez cette fonctionnalité exclusive Pro et bien plus encore avec Flowchart Fun Pro, disponible pour seulement 4 $/mois.","Explore more":"Explorez plus","Export":"Exporter","Export clean diagrams without branding":"Exportez des diagrammes propres sans branding","Export to PNG & JPG":"Exporter en PNG et JPG","Export to PNG, JPG, and SVG":"Exporter en PNG, JPG et SVG","Feature Breakdown":"Démontage des fonctionnalités","Feedback":"Commentaire","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"N\'hésitez pas à explorer et à nous contacter via la page <0>Commentaires si vous avez des inquiétudes.","Fine-tune layouts and visual styles":"Affinez les mises en page et les styles visuels","Fixed Height":"Hauteur fixe","Fixed Node Height":"Hauteur de nœud fixe","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Flowchart Fun Pro vous offre des organigrammes illimités, des collaborateurs illimités et un stockage illimité pour seulement 4 $/mois.","Follow Us on Twitter":"Suivez-nous sur Twitter","Font Family":"Famille de polices","Forgot your password?":"Mot de passe oublié ?","Found a bug? Have a feature request? We would love to hear from you!":"Vous avez trouvé un bug ? Vous souhaitez faire une demande de fonctionnalité ? Nous aimerions beaucoup vous entendre !","Free":"Gratuit ","Frequently Asked Questions":"Foire aux questions","Full-screen, read-only, and template sharing":"Partage en plein écran, en lecture seule et de modèles","Fullscreen":"Plein écran","General":"Général ","Generate flowcharts from text automatically":"Générez automatiquement des diagrammes de flux à partir de texte","Get Pro Access Now":"Obtenez un accès Pro maintenant","Get Unlimited AI Requests":"Obtenez des demandes illimitées d\'IA","Get rapid responses to your questions":"Obtenez des réponses rapides à vos questions","Get unlimited flowcharts and premium features":"Obtenez des flux de travail illimités et des fonctionnalités premium","Go back home":"Retournez à la maison","Go to the Editor":"Aller à l\'éditeur","Go to your Sandbox":"Allez à votre bac à sable","Graph":"Graphique","Green?":"Vert?","Grid":"Quadrillage","Have complex questions or issues? We\'re here to help.":"Des questions ou des problèmes complexes ? Nous sommes là pour vous aider. ","Here are some Pro features you can now enjoy.":"Voici quelques fonctionnalités Pro dont vous pouvez maintenant profiter.","High-quality exports with embedded fonts":"Des exports de haute qualité avec des polices intégrées","History":"Historique","Home":"Accueil","How are edges declared in this data?":"Comment les bords sont-ils déclarés dans ces données?","How do I cancel my subscription?":"Comment annuler mon abonnement?","How does AI flowchart generation work?":"Comment fonctionne la génération de diagrammes de flux par l\'IA ?","How would you like to save your chart?":"Comment souhaitez-vous enregistrer votre graphique?","I would like to request a new template:":"Je voudrais demander un nouveau modèle :","ID\'s":"ID","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"Si un compte avec cet e-mail existe, nous vous avons envoyé un e-mail avec des instructions sur la façon de réinitialiser votre mot de passe.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"Si vous appréciez l\'utilisation de <0>Flowchart Fun, veuillez envisager de soutenir le projet","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"Si vous souhaitez créer un bord, faites une indentation de cette ligne. Sinon, échappez le deux-points avec une barre oblique <0>\\\\:","Images":"Images","Import Data":"Importer des données","Import data from a CSV file.":"Importer des données à partir d\'un fichier CSV.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"Importer des données à partir de n\'importe quel fichier CSV et les mapper à un nouveau diagramme. C\'est une excellente façon d\'importer des données à partir d\'autres sources telles que Lucidchart, Google Sheets et Visio.","Import from CSV":"Importer depuis CSV","Import from Visio, Lucidchart, and CSV":"Importer à partir de Visio, Lucidchart et CSV","Import from popular diagram tools":"Importez à partir d\'outils de diagrammes populaires","Import your diagram it into Microsoft Visio using one of these CSV files.":"Importez votre diagramme dans Microsoft Visio à l\'aide de l\'un de ces fichiers CSV.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"L\'importation de données est une fonctionnalité professionnelle. Vous pouvez passer à Flowchart Fun Pro pour seulement 4 $ par mois.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"Incluez un titre en utilisant un attribut <0>title. Pour utiliser la coloration Visio, ajoutez un attribut <1>roleType égal à l\'un des éléments suivants:","Indent to connect nodes":"Indentez pour connecter les nœuds","Info":"Info","Is":"Est","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON Canvas est une représentation JSON de votre diagramme utilisée par <0>Obsidian Canvas et d\'autres applications.","Join 2000+ professionals who\'ve upgraded their workflow":"Rejoignez plus de 2000 professionnels qui ont amélioré leur flux de travail","Join thousands of happy users who love Flowchart Fun":"Rejoignez des milliers d\'utilisateurs satisfaits qui adorent Flowchart Fun","Keep Things Private":"Garder les choses privées","Keep changes?":"Conserver les modifications ?","Keep practicing":"Continuez à pratiquer","Keep your data private on your computer":"Gardez vos données privées sur votre ordinateur","Language":"Langue","Layout":"Disposition ","Layout Algorithm":"Algorithme de mise en page","Layout Frozen":"Mise en page gelée","Leading References":"Principales références","Learn More":"En savoir plus","Learn Syntax":"Apprendre la syntaxe","Learn about Flowchart Fun Pro":"En savoir plus sur Flowchart Fun Pro","Left to Right":"De gauche à droite","Let us know why you\'re canceling. We\'re always looking to improve.":"Faites-nous savoir pourquoi vous annulez. Nous cherchons toujours à nous améliorer.","Light":"Lumineux","Light Mode":"Mode lumineux","Link":"Lien","Link back":"Faites un lien en arrière","Load":"Charger","Load Chart":"Charger le graphique","Load File":"Charger le fichier","Load Files":"Charger des fichiers","Load default content":"Charger le contenu par défaut","Load from link?":"Charger à partir du lien?","Load layout and styles":"Charger la mise en page et les styles","Loading...":"Chargement...","Local File Support":"Support de fichier local","Local saving for offline access":"Enregistrement local pour un accès hors ligne","Lock Zoom to Graph":"Verrouiller le Zoom sur le Graphique","Log In":"Connexion","Log Out":"Déconnexion","Log in to Save":"Connectez-vous pour enregistrer","Log in to upgrade your account":"Connectez-vous pour mettre à niveau votre compte","Make a One-Time Donation":"Faites un don unique","Make publicly accessible":"Rendre accessible au public","Manage Billing":"Gérer la facturation","Map Data":"Cartographier les données","Maximum width of text inside nodes":"Largeur maximale du texte à l\'intérieur des nœuds","Monthly":"Mensuel","Move":"Déplacer","Move {0}":["Déplacer ",["0"]],"Multiple pointers on same line":"Plusieurs pointeurs sur la même ligne","My dog ate my credit card!":"Mon chien a mangé ma carte de crédit!","Name":"Nom","Name Chart":"Nommer le graphique","Name your chart":"Nommez votre graphique","New":"Nouveau","New Email":"Nouveau courriel","New Flowchart":"Nouveau Flowchart","New Folder":"Nouveau Dossier","Next charge":"Prochain paiement","No Edges":"Pas de bords","No Folder (Root)":"Aucun Dossier (Racine)","No Watermarks!":"Pas de filigranes !","No charts yet":"Aucun graphique pour le moment","No items in this folder":"Aucun élément dans ce dossier","No matching charts found":"Aucun graphique correspondant trouvé","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"Non, il n\'y a pas de limites d\'utilisation avec le plan Pro. Profitez de la création illimitée de diagrammes de flux et des fonctionnalités de l\'IA, vous offrant la liberté d\'explorer et d\'innover sans restrictions.","Node Border Style":"Style de bordure de nœud","Node Colors":"Couleurs de nœud","Node ID":"Identifiant de nœud","Node ID, Classes, Attributes":"Identifiant de nœud, classes, attributs","Node Label":"Étiquette de nœud","Node Shape":"Forme de nœud","Node Shapes":"Formes de nœud","Nodes":"Nœuds","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"Les nœuds peuvent être stylisés avec des traits, des points ou des doubles. Les bordures peuvent également être supprimées avec border_none.","Not Empty":"Pas vide","Now you\'re thinking with flowcharts!":"Maintenant vous pensez avec des organigrammes !","Office Hours":"Heures de travail","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":" temps en temps, le lien magique finira par atterrir dans votre dossier de pourriel. Si vous ne le voyez pas après quelques minutes, vérifiez-y ou demandez un nouveau lien.","One on One Support":"Un à un support","One-on-One Support":"Assistance individuelle","Open Customer Portal":"Ouvrir le portail client","Operation canceled":"Opération annulée","Or maybe blue!":"Ou peut-être bleu !","Organization Chart":"Organigramme","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"Notre IA crée des diagrammes à partir de vos indications textuelles, permettant des modifications manuelles sans effort ou des ajustements assistés par l\'IA. Contrairement à d\'autres, notre plan Pro offre des générations et des modifications illimitées par l\'IA, vous permettant de créer sans limites.","Padding":"Rembourrage","Page not found":"Page non trouvée","Password":"Mot de passe ","Past Due":"En retard","Paste a document to convert it":"Collez un document pour le convertir","Paste your document or outline here to convert it into an organized flowchart.":"Collez votre document ou votre plan ici pour le convertir en un organigramme organisé.","Pasted content detected. Convert to Flowchart Fun syntax?":"Contenu collé détecté. Convertir en syntaxe de Flowchart Fun ?","Perfect for docs and quick sharing":"Parfait pour les documents et le partage rapide","Permanent Charts are a Pro Feature":"Les diagrammes permanents sont une fonctionnalité Pro","Playbook":"Livre-jeu","Pointer and container on same line":"Pointeur et conteneur sur la même ligne","Priority One-on-One Support":"Support prioritaire en tête-à-tête","Privacy Policy":"Politique de confidentialité","Pro tip: Right-click any node to customize its shape and color":"Astuce pro : faites un clic droit sur n\'importe quel noeud pour personnaliser sa forme et sa couleur","Processing Data":"Traitement des données","Processing...":"Traitement en cours...","Prompt":"Invite","Public":"Public","Quick experimentation space that resets daily":"Espace d\'expérimentation rapide qui se réinitialise quotidiennement","Random":"Aléatoire","Rapid Deployment Templates":"Modèles de déploiement rapide","Rapid Templates":"Modèles rapides","Raster Export (PNG, JPG)":"Exportation de rasters (PNG, JPG)","Rate limit exceeded. Please try again later.":"Limite de taux dépassée. Veuillez réessayer plus tard.","Read-only":"Lecture seulement","Reference by Class":"Référence par classe","Reference by ID":"Référence par ID","Reference by Label":"Référence par étiquette","References":"Références","References are used to create edges between nodes that are created elsewhere in the document":"Les références sont utilisées pour créer des arêtes entre les nœuds créés ailleurs dans le document","Referencing a node by its exact label":"Référencer un nœud par sa étiquette exacte","Referencing a node by its unique ID":"Référencer un nœud par son ID unique","Referencing multiple nodes with the same assigned class":"Référencement de multiples nœuds avec la même classe assignée","Refresh Page":"Rafraîchir la page","Reload to Update":"Recharger pour mettre à jour","Rename":"Renommer","Rename {0}":["Renommer ",["0"]],"Request Magic Link":"Demandez un lien magique","Request Password Reset":"Demandez une réinitialisation du mot de passe ","Reset":"Réinitialiser","Reset Password":"Réinitialiser le mot de passe","Resume Subscription":"Reprendre l\'abonnement","Return":"Retour","Right to Left":"De droite à gauche","Right-click nodes for options":"Cliquez avec le bouton droit sur les nœuds pour voir les options","Roadmap":"Roadmap","Rotate Label":"Faire pivoter l\'étiquette","SVG Export is a Pro Feature":"L\'exportation SVG est une fonctionnalité Pro","Satisfaction guaranteed or first payment refunded":"Satisfaction garantie ou remboursement du premier paiement","Save":"Sauver","Save time with AI and dictation, making it easy to create diagrams.":"Gagnez du temps avec l\'IA et la dictée, ce qui facilite la création de diagrammes.","Save to Cloud":"Enregistrer dans le Cloud","Save to File":"Enregistrer dans un fichier","Save your Work":"Enregistrer votre travail","Schedule personal consultation sessions":"Planifier des sessions de consultation personnelle","Secure payment":"Paiement sécurisé","See more reviews on Product Hunt":"Voir plus de critiques sur Product Hunt","Select a destination folder for \\"{0}\\".":"Sélectionner un dossier de destination pour \\\\","Set a consistent height for all nodes":"Définir une hauteur constante pour tous les nœuds","Settings":"Paramètres","Share":"Partager","Sign In":"Se connecter ","Sign in with <0>GitHub":"Se connecter avec <0>GitHub","Sign in with <0>Google":"Se connecter avec <0>Google","Sorry! This page is only available in English.":"Désolé ! Cette page n\'est disponible qu\'en anglais.","Sorry, there was an error converting the text to a flowchart. Try again later.":"Désolé, une erreur s\'est produite lors de la conversion du texte en diagramme. Veuillez réessayer plus tard.","Sort Ascending":"Trier par ordre croissant","Sort Descending":"Trier par ordre décroissant","Sort by {0}":["Trier par ",["0"]],"Source Arrow Shape":"Forme de la flèche source","Source Column":"Colonne source","Source Delimiter":"Délimiteur source","Source Distance From Node":"Distance de la source du nœud","Source/Target Arrow Shape":"Forme de flèche source / cible","Spacing":"Espacement","Special Attributes":"Attributs spéciaux","Start":"Début","Start Over":"Recommencer","Start faster with use-case specific templates":"Démarrer plus rapidement avec des modèles spécifiques aux cas d\'utilisation","Status":"État","Step 1":"Étape 1","Step 2":"Étape 2","Step 3":"Étape 3","Store any data associated to a node":"Stocker toutes les données associées à un nœud","Style Classes":"Classes de style","Style with classes":"Style avec des classes","Submit":"Soumettre","Subscribe to Pro and flowchart the fun way!":"Abonnez-vous à Pro et créez des organigrammes de manière amusante !","Subscription":"Abonnement","Subscription Successful!":"Abonnement réussi !","Subscription will end":"L\'abonnement prendra fin","Target Arrow Shape":"Forme de la flèche cible","Target Column":"Colonne cible","Target Delimiter":"Délimiteur cible","Target Distance From Node":"Distance cible du nœud","Text Color":"Couleur du texte","Text Horizontal Offset":"Décalage horizontal du texte","Text Leading":"Texte principal","Text Max Width":"Largeur maximale du texte","Text Vertical Offset":"Décalage vertical du texte","Text followed by colon+space creates an edge with the text as the label":"Texte suivi d\'un deux-points + espace crée un bord avec le texte comme étiquette","Text on a line creates a node with the text as the label":"Texte sur une ligne crée un nœud avec le texte comme étiquette","Thank you for your feedback!":"Merci pour votre commentaire !","The best way to change styles is to right-click on a node or an edge and select the style you want.":"La meilleure façon de changer les styles est de cliquer avec le bouton droit sur un nœud ou une arête et de sélectionner le style souhaité.","The column that contains the edge label(s)":"La colonne qui contient les étiquettes de bord","The column that contains the source node ID(s)":"La colonne qui contient les ID de nœud source","The column that contains the target node ID(s)":"La colonne qui contient les ID de nœud cible","The delimiter used to separate multiple source nodes":"Le délimiteur utilisé pour séparer plusieurs nœuds source","The delimiter used to separate multiple target nodes":"Le délimiteur utilisé pour séparer plusieurs nœuds cibles","The possible shapes are:":"Les formes possibles sont :","Theme":"Thème","Theme Customization Editor":"Éditeur de personnalisation de thème","Theme Editor":"Éditeur de thème","There are no edges in this data":"Il n\'y a pas d\'arêtes dans ces données","This action cannot be undone.":"Cette action ne peut pas être annulée.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"Cette fonctionnalité est uniquement disponible pour les utilisateurs pro. <0>Devenez un utilisateur pro pour la débloquer.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"Cela peut prendre entre 30 secondes et 2 minutes en fonction de la longueur de votre entrée.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"Ce bac à sable est parfait pour expérimenter, mais n\'oubliez pas - il se réinitialise quotidiennement. Mettez à niveau maintenant et conservez votre travail actuel!","This will replace the current content.":"Cela remplacera le contenu actuel.","This will replace your current chart content with the template content.":"Cela remplacera le contenu actuel de votre diagramme par le contenu du modèle.","This will replace your current sandbox.":"Cela remplacera votre bac à sable actuel.","Time to decide":"Temps de décider","Tip":"Astuce","To fix this change one of the edge IDs":"Pour corriger cela, changez l\'un des ID de bord","To fix this change one of the node IDs":"Pour corriger ceci, changez l\'un des ID de nœud","To fix this move one pointer to the next line":"Pour corriger ceci, déplacez un pointeur vers la ligne suivante","To fix this start the container <0/> on a different line":"Pour corriger cela, commencez le conteneur <0/> sur une ligne différente.","To learn more about why we require you to log in, please read <0>this blog post.":"Pour en savoir plus sur la raison pour laquelle nous vous demandons de vous connecter, veuillez lire <0>ce message de blog.","Top to Bottom":"De haut en bas","Transform Your Ideas into Professional Diagrams in Seconds":"Transformez vos idées en diagrammes professionnels en quelques secondes","Transform text into diagrams instantly":"Transformez instantanément du texte en diagrammes","Trusted by Professionals and Academics":"Fait confiance aux professionnels et aux universitaires","Try AI":"Essayez l\'IA","Try adjusting your search or filters to find what you\'re looking for.":"Essayez d\'ajuster votre recherche ou vos filtres pour trouver ce que vous cherchez.","Try again":"Réessayer","Turn your ideas into professional diagrams in seconds":"Transformez vos idées en diagrammes professionnels en quelques secondes","Two edges have the same ID":"Deux arêtes ont le même ID","Two nodes have the same ID":"Deux nœuds ont le même ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"Oh oh, vous n\'avez plus de demandes gratuites ! Passez à Flowchart Fun Pro pour des conversions de diagrammes illimitées et continuez à transformer du texte en des flux visuels clairs aussi facilement que copier-coller.","Unescaped special character":"Caractère spécial non échappé","Unique text value to identify a node":"Valeur de texte unique pour identifier un nœud","Unknown":"Inconnu","Unknown Parsing Error":"Erreur d\'analyse inconnue","Unlimited Flowcharts":"Flowcharts illimités","Unlimited Permanent Flowcharts":"Flux de diagrammes permanents illimités","Unlimited cloud-saved flowcharts":"Des organigrammes sauvegardés dans le cloud en illimité","Unlock AI Features and never lose your work with a Pro account.":"Débloquez les fonctionnalités de l\'IA et ne perdez jamais votre travail avec un compte Pro.","Unlock Unlimited AI Flowcharts":"Débloquez des organigrammes AI illimités","Unpaid":"Impayé","Update Email":"Mettre à jour l\'e-mail","Updated Date":"Date de mise à jour","Upgrade Now - Save My Work":"Mettre à niveau maintenant - Sauvegarder mon travail","Upgrade to Flowchart Fun Pro and unlock:":"Passez à Flowchart Fun Pro et débloquez:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Mettez à niveau vers Flowchart Fun Pro pour débloquer les exportations SVG et profiter de fonctionnalités avancées pour vos diagrammes.","Upgrade to Pro":"Mettez à niveau vers Pro","Upgrade to Pro for $2/month":"Passer à la version Pro pour 2 $ par mois","Upload your File":"Téléchargez votre fichier","Use Custom CSS Only":"Utiliser uniquement du CSS personnalisé","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"Utilisez Lucidchart ou Visio ? L\'importation CSV facilite l\'obtention de données à partir de n\'importe quelle source !","Use classes to group nodes":"Utilisez des classes pour regrouper les nœuds","Use the attribute <0>href to set a link on a node that opens in a new tab.":"Utilisez l\'attribut <0>href pour créer un lien sur un nœud qui s\'ouvre dans un nouvel onglet.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"Utilisez l\'attribut <0>src pour définir l\'image d\'un nœud. L\'image sera mise à l\'échelle pour s\'adapter au nœud, vous devrez donc peut-être ajuster la largeur et la hauteur du nœud pour obtenir le résultat souhaité. Seules les images publiques (non bloquées par CORS) sont prises en charge.","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"Utilisez les attributs <0>w et <1>h pour définir explicitement la largeur et la hauteur d\'un nœud.","Use the customer portal to change your billing information.":"Utilisez le portail client pour modifier vos informations de facturation.","Use these settings to adapt the look and behavior of your flowcharts":"Utilisez ces paramètres pour adapter l\'apparence et le comportement de vos diagrammes de flux","Use this file for org charts, hierarchies, and other organizational structures.":"Utilisez ce fichier pour les organigrammes, les hiérarchies et autres structures organisationnelles.","Use this file for sequences, processes, and workflows.":"Utilisez ce fichier pour les séquences, les processus et les workflows.","Use this mode to modify and enhance your current chart.":"Utilisez ce mode pour modifier et améliorer votre diagramme actuel.","User":"Utilisateur","Vector Export (SVG)":"Exportation de vecteurs (SVG)","View on Github":"Voir sur Github","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"Vous souhaitez créer un diagramme à partir d\'un document ? Collez-le dans l\'éditeur et cliquez sur \'Convertir en diagramme\'","Watermark-Free Diagrams":"Diagrammes sans filigrane","Watermarks":"Filigranes","Welcome to Flowchart Fun":"Bienvenue dans Flowchart Fun","What our users are saying":"Ce que nos utilisateurs disent","What\'s next?":"Quelle est la prochaine étape ?","What\'s this?":"Qu\'est-ce que c\'est?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"Bien que nous n\'offrions pas d\'essai gratuit, nos tarifs sont conçus pour être aussi accessibles que possible, en particulier pour les étudiants et les enseignants. Pour seulement 4 $ par mois, vous pouvez explorer toutes les fonctionnalités et décider si cela vous convient. N\'hésitez pas à vous abonner, à l\'essayer et à vous réabonner chaque fois que vous en avez besoin.","Width":"Largeur","Width and Height":"Largeur et hauteur","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"Avec la version Pro de Flowchart Fun, vous pouvez utiliser des commandes en langage naturel pour rapidement détailler votre organigramme, idéal pour créer des diagrammes en déplacement. Pour 4 $ par mois, profitez de la facilité de l\'édition accessible par l\'IA pour améliorer votre expérience de création d\'organigrammes.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"Avec la version pro, vous pouvez enregistrer et charger des fichiers locaux. C\'est parfait pour gérer des documents professionnels hors ligne.","Would you like to continue?":"Voulez-vous continuer ?","Would you like to suggest a new example?":"Souhaitez-vous suggérer un nouvel exemple ?","Wrap text in parentheses to connect to any node":"Entourez le texte entre parenthèses pour le connecter à n\'importe quel nœud","Write like an outline":"Écrivez comme un plan","Write your prompt here or click to enable the microphone, then press and hold to record.":"Écrivez votre message ici ou cliquez pour activer le microphone, puis maintenez pour enregistrer.","Yearly":"Annuellement","Yes, Replace Content":"Oui, remplacer le contenu","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"Oui, nous soutenons les organisations à but non lucratif avec des réductions spéciales. Contactez-nous avec le statut de votre organisation à but non lucratif pour en savoir plus sur la façon dont nous pouvons vous aider.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"Oui, vos diagrammes de flux dans le cloud sont accessibles uniquement lorsque vous êtes connecté. De plus, vous pouvez enregistrer et charger des fichiers localement, ce qui est parfait pour gérer des documents sensibles liés au travail hors ligne.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["Vous êtes sur le point d\'ajouter ",["numNodes"]," nœuds et ",["numEdges"]," arêtes à votre graphe."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"Vous pouvez créer des diagrammes de flux illimités et permanents avec <0>Flowchart Fun Pro.","You need to log in to access this page.":"Vous devez vous connecter pour accéder à cette page.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"Vous êtes déjà un utilisateur Pro. <0>Gérer l\'abonnement<1/>Vous avez des questions ou des demandes de fonctionnalités? <2>Faites-le nous savoir","You\'re doing great!":"Vous vous en sortez très bien !","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"Vous avez utilisé toutes vos conversions gratuites d\'IA. Passez à la version Pro pour une utilisation illimitée de l\'IA, des thèmes personnalisés, un partage privé et plus encore. Continuez à créer des diagrammes de flux incroyables sans effort !","Your Charts":"Vos diagrammes","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"Votre bac à sable est un espace pour expérimenter librement avec nos outils de diagramme, se réinitialisant chaque jour pour un nouveau départ.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"Vos graphiques sont en lecture seule car votre compte n\'est plus actif. Visitez votre page <0>compte pour en savoir plus.","Your subscription is <0>{statusDisplay}.":["Votre abonnement est <0>",["statusDisplay"],"."],"Zoom In":"Zoomer","Zoom Out":"Zoomer vers l\'extérieur","month":"mois","or":"ou","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' ), }; diff --git a/app/src/locales/fr/messages.po b/app/src/locales/fr/messages.po index 3681e58a8..e8494d25f 100644 --- a/app/src/locales/fr/messages.po +++ b/app/src/locales/fr/messages.po @@ -110,6 +110,18 @@ msgstr "Mes diagrammes de flux sont-ils privés?" msgid "Are there usage limits?" msgstr "Y a-t-il des limites d'utilisation?" +#: src/components/charts/ChartModals.tsx:50 +msgid "Are you sure you want to delete the flowchart \"{0}\"? This action cannot be undone." +msgstr "Êtes-vous sûr de vouloir supprimer le diagramme de flux ?" + +#: src/components/charts/ChartModals.tsx:39 +msgid "Are you sure you want to delete the folder \"{0}\" and all its contents? This action cannot be undone." +msgstr "Êtes-vous sûr de vouloir supprimer le dossier ?" + +#: src/components/charts/ChartModals.tsx:44 +msgid "Are you sure you want to delete the folder \"{0}\"? This action cannot be undone." +msgstr "Êtes-vous sûr de vouloir supprimer le dossier ?" + #: src/components/LoadTemplateDialog.tsx:121 msgid "Are you sure?" msgstr "Êtes-vous sûr(e) ?" @@ -204,6 +216,11 @@ msgstr "Construisez votre bibliothèque personnelle de diagrammes de flux" #: src/components/ImportDataDialog.tsx:698 #: src/components/LoadTemplateDialog.tsx:149 #: src/components/RenameButton.tsx:160 +#: src/components/charts/ChartModals.tsx:59 +#: src/components/charts/ChartModals.tsx:129 +#: src/components/charts/ChartModals.tsx:207 +#: src/components/charts/ChartModals.tsx:277 +#: src/components/charts/ChartModals.tsx:440 #: src/pages/Account.tsx:323 #: src/pages/Account.tsx:335 #: src/pages/Account.tsx:426 @@ -287,9 +304,15 @@ msgid "Clear text?" msgstr "Effacer le texte?" #: src/components/CloneButton.tsx:48 +#: src/components/charts/ChartListItem.tsx:191 +#: src/components/charts/ChartModals.tsx:136 msgid "Clone" msgstr "Cloner" +#: src/components/charts/ChartModals.tsx:111 +msgid "Clone Flowchart" +msgstr "Cloner le diagramme de flux" + #: src/components/LearnSyntaxDialog.tsx:413 msgid "Close" msgstr "Fermer" @@ -398,6 +421,7 @@ msgstr "Copiez votre code Excalidraw et collez-le sur <0>excalidraw.com pour msgid "Copy your mermaid.js code or open it directly in the mermaid.js live editor." msgstr "Copiez votre code mermaid.js ou ouvrez-le directement dans l'éditeur en direct mermaid.js." +#: src/components/charts/ChartModals.tsx:284 #: src/pages/New.tsx:184 msgid "Create" msgstr "Créer" @@ -418,6 +442,10 @@ msgstr "Créer un nouveau graphique" msgid "Create a flowchart showing the steps of planning and executing a school fundraising event" msgstr "Créer un organigramme montrant les étapes de la planification et de l'exécution d'un événement de collecte de fonds scolaire" +#: src/components/charts/EmptyState.tsx:41 +msgid "Create a new flowchart to get started or organize your work with folders." +msgstr "Créez un nouveau diagramme de flux pour commencer ou organisez votre travail avec des dossiers." + #: src/components/FlowchartHeader.tsx:44 msgid "Create flowcharts instantly: Type or paste text, see it visualized." msgstr "Créez des organigrammes instantanément : Tapez ou collez du texte, visualisez-le." @@ -434,6 +462,10 @@ msgstr "Créez des diagrammes de flux illimités stockés dans le cloud, accessi msgid "Create with AI" msgstr "Créer avec l'intelligence artificielle" +#: src/components/charts/ChartsToolbar.tsx:103 +msgid "Created Date" +msgstr "Date de création" + #: src/components/LearnSyntaxDialog.tsx:167 msgid "Creating an edge between two nodes is done by indenting the second node below the first" msgstr "Créer une arête entre deux nœuds est fait en indentant le second nœud sous le premier" @@ -481,6 +513,15 @@ msgstr "Fonction d'importation de données pour des diagrammes complexes" msgid "Date" msgstr "Date" +#: src/components/charts/ChartListItem.tsx:205 +#: src/components/charts/ChartModals.tsx:62 +msgid "Delete" +msgstr "Supprimer" + +#: src/components/charts/ChartModals.tsx:33 +msgid "Delete {0}" +msgstr "Supprimer {0}" + #: src/pages/createExamples.tsx:8 msgid "Design a software development lifecycle flowchart for an agile team" msgstr "Concevoir un organigramme du cycle de développement de logiciels pour une équipe agile" @@ -653,6 +694,18 @@ msgstr "Vide" msgid "Enable to set a consistent height for all nodes" msgstr "Activer pour définir une hauteur constante pour tous les nœuds" +#: src/components/charts/ChartModals.tsx:115 +msgid "Enter a name for the cloned flowchart." +msgstr "Entrez un nom pour le flowchart cloné." + +#: src/components/charts/ChartModals.tsx:263 +msgid "Enter a name for the new folder." +msgstr "Entrez un nom pour le nouveau dossier." + +#: src/components/charts/ChartModals.tsx:191 +msgid "Enter a new name for the {0}." +msgstr "Entrez un nouveau nom pour le {0}." + #: src/pages/LogIn.tsx:138 msgid "Enter your email address and we'll send you a magic link to sign in." msgstr "Entrez votre adresse e-mail et nous vous enverrons un lien magique pour vous connecter." @@ -803,6 +856,7 @@ msgid "Go to the Editor" msgstr "Aller à l'éditeur" #: src/pages/Charts.tsx:285 +#: src/pages/MyCharts.tsx:241 msgid "Go to your Sandbox" msgstr "Allez à votre bac à sable" @@ -1048,6 +1102,10 @@ msgstr "Charger à partir du lien?" msgid "Load layout and styles" msgstr "Charger la mise en page et les styles" +#: src/components/charts/ChartListItem.tsx:236 +msgid "Loading..." +msgstr "Chargement..." + #: src/components/FeatureBreakdown.tsx:83 #: src/pages/Pricing.tsx:63 msgid "Local File Support" @@ -1103,6 +1161,15 @@ msgstr "Largeur maximale du texte à l'intérieur des nœuds" msgid "Monthly" msgstr "Mensuel" +#: src/components/charts/ChartListItem.tsx:179 +#: src/components/charts/ChartModals.tsx:443 +msgid "Move" +msgstr "Déplacer" + +#: src/components/charts/ChartModals.tsx:398 +msgid "Move {0}" +msgstr "Déplacer {0}" + #: src/lib/parserErrors.tsx:29 msgid "Multiple pointers on same line" msgstr "Plusieurs pointeurs sur la même ligne" @@ -1111,6 +1178,10 @@ msgstr "Plusieurs pointeurs sur la même ligne" msgid "My dog ate my credit card!" msgstr "Mon chien a mangé ma carte de crédit!" +#: src/components/charts/ChartsToolbar.tsx:97 +msgid "Name" +msgstr "Nom" + #: src/pages/New.tsx:108 #: src/pages/New.tsx:116 msgid "Name Chart" @@ -1130,6 +1201,17 @@ msgstr "Nouveau" msgid "New Email" msgstr "Nouveau courriel" +#: src/components/charts/ChartsToolbar.tsx:139 +#: src/components/charts/EmptyState.tsx:55 +msgid "New Flowchart" +msgstr "Nouveau Flowchart" + +#: src/components/charts/ChartModals.tsx:259 +#: src/components/charts/ChartsToolbar.tsx:147 +#: src/components/charts/EmptyState.tsx:62 +msgid "New Folder" +msgstr "Nouveau Dossier" + #: src/pages/Account.tsx:171 #: src/pages/Account.tsx:472 msgid "Next charge" @@ -1139,10 +1221,26 @@ msgstr "Prochain paiement" msgid "No Edges" msgstr "Pas de bords" +#: src/components/charts/ChartModals.tsx:429 +msgid "No Folder (Root)" +msgstr "Aucun Dossier (Racine)" + #: src/pages/Pricing.tsx:67 msgid "No Watermarks!" msgstr "Pas de filigranes !" +#: src/components/charts/EmptyState.tsx:30 +msgid "No charts yet" +msgstr "Aucun graphique pour le moment" + +#: src/components/charts/ChartListItem.tsx:253 +msgid "No items in this folder" +msgstr "Aucun élément dans ce dossier" + +#: src/components/charts/EmptyState.tsx:28 +msgid "No matching charts found" +msgstr "Aucun graphique correspondant trouvé" + #: src/components/FAQ.tsx:23 msgid "No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions." msgstr "Non, il n'y a pas de limites d'utilisation avec le plan Pro. Profitez de la création illimitée de diagrammes de flux et des fonctionnalités de l'IA, vous offrant la liberté d'explorer et d'innover sans restrictions." @@ -1379,9 +1477,15 @@ msgstr "Recharger pour mettre à jour" #: src/components/RenameButton.tsx:100 #: src/components/RenameButton.tsx:121 #: src/components/RenameButton.tsx:163 +#: src/components/charts/ChartListItem.tsx:168 +#: src/components/charts/ChartModals.tsx:214 msgid "Rename" msgstr "Renommer" +#: src/components/charts/ChartModals.tsx:187 +msgid "Rename {0}" +msgstr "Renommer {0}" + #: src/pages/LogIn.tsx:164 msgid "Request Magic Link" msgstr "Demandez un lien magique" @@ -1471,6 +1575,10 @@ msgstr "Paiement sécurisé" msgid "See more reviews on Product Hunt" msgstr "Voir plus de critiques sur Product Hunt" +#: src/components/charts/ChartModals.tsx:402 +msgid "Select a destination folder for \"{0}\"." +msgstr "Sélectionner un dossier de destination pour \" + #: src/components/Tabs/ThemeTab.tsx:395 msgid "Set a consistent height for all nodes" msgstr "Définir une hauteur constante pour tous les nœuds" @@ -1506,6 +1614,18 @@ msgstr "Désolé ! Cette page n'est disponible qu'en anglais." msgid "Sorry, there was an error converting the text to a flowchart. Try again later." msgstr "Désolé, une erreur s'est produite lors de la conversion du texte en diagramme. Veuillez réessayer plus tard." +#: src/components/charts/ChartsToolbar.tsx:124 +msgid "Sort Ascending" +msgstr "Trier par ordre croissant" + +#: src/components/charts/ChartsToolbar.tsx:119 +msgid "Sort Descending" +msgstr "Trier par ordre décroissant" + +#: src/components/charts/ChartsToolbar.tsx:79 +msgid "Sort by {0}" +msgstr "Trier par {0}" + #: src/components/Tabs/ThemeTab.tsx:491 #: src/components/Tabs/ThemeTab.tsx:492 msgid "Source Arrow Shape" @@ -1780,6 +1900,10 @@ msgstr "Fait confiance aux professionnels et aux universitaires" msgid "Try AI" msgstr "Essayez l'IA" +#: src/components/charts/EmptyState.tsx:36 +msgid "Try adjusting your search or filters to find what you're looking for." +msgstr "Essayez d'ajuster votre recherche ou vos filtres pour trouver ce que vous cherchez." + #: src/components/App.tsx:82 msgid "Try again" msgstr "Réessayer" @@ -1845,6 +1969,10 @@ msgstr "Impayé" msgid "Update Email" msgstr "Mettre à jour l'e-mail" +#: src/components/charts/ChartsToolbar.tsx:109 +msgid "Updated Date" +msgstr "Date de mise à jour" + #: src/components/SandboxWarning.tsx:95 msgid "Upgrade Now - Save My Work" msgstr "Mettre à niveau maintenant - Sauvegarder mon travail" @@ -2037,6 +2165,7 @@ msgid "You've used all your free AI conversions. Upgrade to Pro for unlimited AI msgstr "Vous avez utilisé toutes vos conversions gratuites d'IA. Passez à la version Pro pour une utilisation illimitée de l'IA, des thèmes personnalisés, un partage privé et plus encore. Continuez à créer des diagrammes de flux incroyables sans effort !" #: src/pages/Charts.tsx:93 +#: src/pages/MyCharts.tsx:235 msgid "Your Charts" msgstr "Vos diagrammes" diff --git a/app/src/locales/hi/messages.js b/app/src/locales/hi/messages.js index 4ee9e3355..4f0ac7e31 100644 --- a/app/src/locales/hi/messages.js +++ b/app/src/locales/hi/messages.js @@ -1,5 +1,5 @@ /*eslint-disable*/ module.exports = { messages: JSON.parse( - '{"1 Temporary Flowchart":"1 अस्थायी फ्लोचार्ट","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>कस्टम CSS केवल सक्षम है। केवल लेआउट और एडवांस्ड सेटिंग्स लागू की जाएगी।","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun <1>Tone Row द्वारा बनाई गई एक खुला स्रोत परियोजना है ","<0>Sign In / <1>Sign Up with email and password":"<0>साइन इन / <1>साइन अप ईमेल और पासवर्ड के साथ","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>आपके पास वर्तमान में एक मुफ्त खाता है। <1/><2>हमारी प्रो फीचर्स के बारे में जानें और हमारी मुल्यों के पृष्ठ पर सदस्यता लें","A new version of the app is available. Please reload to update.":"एप्प का एक नया वर्जन उपलब्ध है। अपडेट करने के लिए रीलोड करें।","AI Creation & Editing":"एआई निर्माण और संपादन","AI-Powered Flowchart Creation":"एआई-पावर्ड फ्लोचार्ट निर्माण","AI-powered editing to supercharge your workflow":"एआई पावर्ड संपादन आपके वर्कफ्लो को तेज करने के लिए","About":"के बारे में","Account":"खाता","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"किसी भी विशेष वर्ण के पहले एक बैकस्लैश (<0>\\\\) जोड़ें: <1>(, <2>:, <3>#, या <4>.","Add some steps":"कुछ चरण जोड़ें","Advanced":"उन्नत","Align Horizontally":"आड़े सारी तरफ","Align Nodes":"नोड्स को संरेखित करें","Align Vertically":"ऊपर-नीचे सारी तरफ","All this for just $4/month - less than your daily coffee ☕":"सिर्फ $4/महीने में यह सब - आपके दैनिक कॉफ़ी से कम ☕","Amount":"रकम","An error occurred. Try resubmitting or email {0} directly.":["एक एरर हो गया. फिर से सबमिट करने की कोशिश करें या सीधे ",["0"]," ईमेल करें."],"Appearance":"दिखावट","Are my flowcharts private?":"क्या मेरे फ्लोचार्ट निजी हैं?","Are there usage limits?":"क्या उपयोग सीमाएं हैं?","Are you sure?":"क्या आप निश्चित हैं?","Arrow Size":"तीर आकार","Attributes":"गुण","August 2023":"2023 अगस्त","Back":"वापस","Back To Editor":"संपादक पर वापस जाएं","Background Color":"पृष्ठभूमि रंग","Basic Flowchart":"बेसिक फ्लोचार्ट","Become a Github Sponsor":"गिटहब स्पॉन्सर बनें","Become a Pro User":"प्रो उपयोगकर्ता बनें","Begin your journey":"अपनी यात्रा शुरू करें","Billed annually at $24":"वार्षिक रूप से $24 का बिल बनाया जाएगा","Billed monthly at $4":"मासिक रूप से $4 पर बिल किया जाता है","Blog":"ब्लॉग","Book a Meeting":"एक बैठक बुक करें","Border Color":"सीमा रंग","Border Width":"सीमा चौड़ाई","Bottom to Top":"नीचे से शीर्ष तक","Breadthfirst":"चौड़ाई पहले","Build your personal flowchart library":"अपनी निजी फ्लोचार्ट लाइब्रेरी बनाएं","Cancel":"रद्द करें","Cancel anytime":"कभी भी रद्द करें","Cancel your subscription. Your hosted charts will become read-only.":"अपनी सदस्यता रद्द करें. आपके होस्ट किये गए चार्ट सिर्फ़ पढ़े जा सकेंगे.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"रद्द करना आसान है। आपके खाते पृष्ठ पर जाएं, नीचे स्क्रॉल करें और रद्द करें पर क्लिक करें। यदि आप पूरी तरह से संतुष्ट नहीं हैं, तो हम आपके पहले भुगतान पर रिफंड प्रदान करते हैं।","Certain attributes can be used to customize the appearance or functionality of elements.":"कुछ गुण तत्वों की दिखता या कार्यक्षमता को अनुकूलित करने के लिए उपयोग किए जा सकते हैं।","Change Email Address":"ईमेल पता बदलें","Changelog":"बदलाव का","Charts":"चार्ट","Check out the guide:":"गाइड की जाँच करें:","Check your email for a link to log in.<0/>You can close this window.":"लॉग इन करने के लिए अपने ईमेल की जाँच करें। आप इस विंडो को बंद कर सकते हैं।","Choose":"चुनें","Choose Template":"टेम्पलेट चुनें","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"एक किनारे के स्रोत और लक्ष्य के लिए विभिन्न तीर आकारों से चुनें। आकार शामिल हैं त्रिकोण, त्रिकोण-टी, सर्कल-त्रिकोण, त्रिकोण-क्रॉस, त्रिकोण-बैककर्व, वी, टी, चौकोर, हीरा, चेवरॉन और कोई नहीं।","Choose how edges connect between nodes":"नोड्स के बीच एज कैसे कनेक्ट करें चुनें","Choose how nodes are automatically arranged in your flowchart":"अपने फ्लोचार्ट में नोडों को स्वचालित रूप से व्यवस्थित कैसे करें चुनें","Circle":"परिधि","Classes":"वर्ग","Clear":"साफ़","Clear text?":"पाठ साफ़ करें?","Clone":"क्लोन करें","Close":"बंद करें","Color":"रंग","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"रंग में लाल, नारंगी, पीला, नीला, बैंगनी, काला, सफेद, और ग्रे शामिल हैं।","Column":"स्तंभ","Comment":"टिप्पणी","Compare our plans and find the perfect fit for your flowcharting needs":"हमारे प्लानों की तुलना करें और अपनी फ्लोचार्टिंग की आवश्यकताओं के लिए सही विकल्प खोजें","Concentric":"गाढ़ा","Confirm New Email":"नई ईमेल की पुष्टि करें","Confirm your email address to sign in.":"साइन इन करने के लिए अपना ईमेल पता पुष्टि करें।","Connect your Data":"अपने डेटा को कनेक्ट करें","Containers":"कंटेनर","Containers are nodes that contain other nodes. They are declared using curly braces.":"कंटेनर उन नोड्स हैं जो अन्य नोड्स को सम्मिलित करते हैं। वे कर्ली ब्रेस का उपयोग करके घोषित किया जाता है।","Continue":"जारी रखें","Continue in Sandbox (Resets daily, work not saved)":"सैंडबॉक्स में जारी रखें (दैनिक रूप से रीसेट होता है, काम सहेजा नहीं जाता)","Controls the flow direction of hierarchical layouts":"वर्गीकृत लेआउट की धारा को नियंत्रित करता है","Convert":"परिवर्तन करें","Convert to Flowchart":"फ्लोचार्ट में बदलें","Convert to hosted chart?":"होस्टेड चार्ट में कनवर्ट करें?","Cookie Policy":"कुकी नीति","Copied SVG code to clipboard":"क्लिपबोर्ड पर SVG कोड कॉपी किया गया","Copied {format} to clipboard":["क्लिपबोर्ड पर ",["प्रारूप"]," कॉपी किया गया"],"Copy":"कॉपी करें","Copy PNG Image":"PNG छवि कॉपी करें","Copy SVG Code":"SVG कोड कॉपी करें","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"अपने Excalidraw कोड को कॉपी करें और <0>excalidraw.com में पेस्ट करें ताकि आप संपादित कर सकें। यह सुविधा प्रयोगात्मक है और सभी आरेखों के साथ काम नहीं कर सकती। यदि आपको कोई बग मिलता है, तो <1>हमें जानकारी दें।","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"अपना मर्मेड.जेएस कोड कॉपी करें या मर्मेड.जेएस लाइव एडिटर में सीधे खोलें।","Create":"बनाएं","Create Flowcharts using AI":"एआई का उपयोग करके फ्लोचार्ट बनाएं","Create Unlimited Flowcharts":"असीमित पारितकथाओं बनाएं","Create a New Chart":"एक नया चार्ट बनाएं","Create a flowchart showing the steps of planning and executing a school fundraising event":"एक स्कूल रेस्ट्रोइज़िंग इवेंट की योजना और निष्पादन के चरणों को दिखाने वाला फ्लोचार्ट बनाएं","Create flowcharts instantly: Type or paste text, see it visualized.":"तुरंत फ्लोचार्ट बनाएं: पाठ लिखें या पेस्ट करें, उसे दृश्यीकृत करें।","Create unlimited diagrams for just $4/month!":"सिर्फ $4/महीने में असीमित आरेख बनाएं!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"आकार में असीमित फ्लोचार्ट को क्लाउड में संग्रहीत करें - किसी भी जगह से उपलब्ध!","Create with AI":"AI के साथ बनाएं","Creating an edge between two nodes is done by indenting the second node below the first":"दो नोड्स के बीच एक एज बनाने के लिए दूसरा नोड पहले वाले के नीचे इंडेंट करना होता है","Curve Style":"वक्र शैली","Custom CSS":"कस्टम CSS","Custom Sharing Options":"कस्टम शेयरिंग विकल्प","Customer Portal":"ग्राहक पोर्टल","Daily Sandbox Editor":"दैनिक सैंडबॉक्स संपादक","Dark":"डार्क","Dark Mode":"डार्क मोड","Data Import (Visio, Lucidchart, CSV)":"डेटा आयात (विशियो, ल्यूसिडचार्ट, सीएसवी)","Data import feature for complex diagrams":"जटिल आरेखों के लिए डेटा आयात सुविधा","Date":"तारीख़","Design a software development lifecycle flowchart for an agile team":"एक एजाइल टीम के लिए सॉफ्टवेयर विकास जीवनचक्र फ्लोचार्ट डिज़ाइन करें","Develop a decision tree for a CEO to evaluate potential new market opportunities":"एक सीईओ के लिए नए बाजार के अवसरों का मूल्यांकन करने के लिए एक फैसले का पेड़ विकसित करें","Direction":"दिशा","Dismiss":"खारिज करें","Do you have a free trial?":"क्या आपके पास एक मुफ्त परीक्षण है?","Do you offer a non-profit discount?":"क्या आप गैर-लाभकारी छूट प्रदान करते हैं?","Do you want to delete this?":"क्या आप इसे डिलीट करना चाहते हैं?","Document":"दस्तावेज़","Don\'t Lose Your Work":"अपना काम न खो दें","Download":"डाउनलोड","Download JPG":"JPG डाउनलोड करें","Download PNG":"PNG डाउनलोड करें","Download SVG":"SVG डाउनलोड करें","Drag and drop a CSV file here, or click to select a file":"CSV फ़ाइल यहां ड्रैग और ड्रॉप करें, या फ़ाइल का चयन करने के लिए क्लिक करें","Draw an edge from multiple nodes by beginning the line with a reference":"एक से अधिक नोड्स से एज ड्रा करने के लिए लाइन को एक संदर्भ के साथ शुरू करें","Drop the file here ...":"फाइल यहाँ ड्रॉप करें ...","Each line becomes a node":"प्रत्येक पंक्ति एक नोड बन जाती है","Edge ID, Classes, Attributes":"किनारे आईडी, वर्ग, गुण","Edge Label":"किनारे लेबल","Edge Label Column":"किनारे लेबल कॉलम","Edge Style":"किनारे शैली","Edge Text Size":"एड्ज टेक्स्ट आकार","Edge missing indentation":"एड्ज अंतराल गुम है","Edges":"किन्तुओं","Edges are declared in the same row as their source node":"उनके स्रोत नोड के ही पंक्ति में किन्तुओं की घोषणा की जाती है","Edges are declared in the same row as their target node":"उनके लक्ष्य नोड के ही पंक्ति में किन्तुओं की घोषणा की जाती है","Edges are declared in their own row":"किन्तुओं को अपनी खुद की पंक्ति में घोषणा की जाती है","Edges can also have ID\'s, classes, and attributes before the label":"लेबल से पहले, किन्तुओं को आईडीज़, क्लासेज़ और गुण देने की अनुमति होती है","Edges can be styled with dashed, dotted, or solid lines":"किन्तुओं को डैश्ड, डॉटेड या सॉलिड लाइन्स के साथ स्टाइल किया जा सकता है","Edges in Separate Rows":"अलग पंक्तियों में किन्हें","Edges in Source Node Row":"स्रोत नोड पंक्ति में किन्हें","Edges in Target Node Row":"लक्ष्य नोड पंक्ति में किन्हें","Edit":"संपादित करें","Edit with AI":"एआई के साथ संपादित करें","Editable":"संपादन योग्य","Editor":"संपादक","Email":"ईमेल","Empty":"खाली","Enable to set a consistent height for all nodes":"सभी नोड्स के लिए एक समान ऊंचाई सेट करने के लिए सक्षम करें","Enter your email address and we\'ll send you a magic link to sign in.":"अपना ईमेल पता दर्ज करें और हम आपको साइन इन करने के लिए एक जादूगरी लिंक भेजेंगे।","Enter your email address below and we\'ll send you a link to reset your password.":"नीचे अपना ईमेल पता दर्ज करें और हम आपको अपना पासवर्ड रीसेट करने के लिए एक लिंक भेजेंगे।","Equal To":"बराबर","Everything you need to know about Flowchart Fun Pro":"Flowchart Fun Pro के बारे में आपको सब कुछ जानने की जरूरत है","Examples":"उदाहरण","Excalidraw":"Excalidraw","Exclusive Office Hours":"अनन्य ऑफिस घंटे","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"अपने फ्लोचार्ट में स्थानीय फाइलों को सीधे लोड करने की क्षमता का अनुभव करें, जो काम से संबंधित दस्तावेजों को ऑफ़लाइन प्रबंधित करने के लिए उत्कृष्ट है। फ्लोचार्ट फन प्रो के साथ इस अनूठे प्रो फीचर को और भी खोलें, सिर्फ $4/महीने में उपलब्ध है।","Explore more":"और ज्ञान प्राप्त करें","Export":"एक्सपोर्ट करें","Export clean diagrams without branding":"ब्रांडिंग के बिना साफ आरेख निर्यात करें","Export to PNG & JPG":"PNG और JPG में निर्यात करें","Export to PNG, JPG, and SVG":"PNG, JPG और SVG में निर्यात करें","Feature Breakdown":"विशेषता विभाजन","Feedback":"फ़ीडबैक","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"किसी भी चिंता के लिए हमसे फीडबैक पेज के माध्यम से संपर्क करने के लिए स्वतंत्रता से अन्वेषण करें और प्रवेश करें।","Fine-tune layouts and visual styles":"लेआउट और दृश्य शैलियों को समायोजित करें","Fixed Height":"निश्चित ऊंचाई","Fixed Node Height":"निर्धारित नोड ऊंचाई","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"फ्लोचार्ट फन प्रो आपको सिर्फ $4/महीने में असीमित फ्लोचार्ट, असीमित सहयोगी और असीमित स्टोरेज प्रदान करता है।","Follow Us on Twitter":"हमारे साथ ट्विटर पर फॉलो करें","Font Family":"फॉन्ट परिवार","Forgot your password?":"अपना पासवर्ड भूल गए?","Found a bug? Have a feature request? We would love to hear from you!":"एक बग पाया? एक सुविधा अनुरोध है? हम आपसे सुनने के लिए प्रसन्न होंगे!","Free":"मुफ्त","Frequently Asked Questions":"अक्सर पूछे जाने वाले सवाल","Full-screen, read-only, and template sharing":"पूर्ण स्क्रीन, केवल पढ़ने के लिए और टेम्पलेट साझा करें","Fullscreen":"फ़ुलस्क्रीन","General":"सामान्य","Generate flowcharts from text automatically":"पाठ से स्वचालित रूप से फ्लोचार्ट उत्पन्न करें","Get Pro Access Now":"अब प्रो एक्सेस प्राप्त करें","Get Unlimited AI Requests":"असीमित एआई अनुरोध प्राप्त करें","Get rapid responses to your questions":"अपने सवालों के लिए त्वरित प्रतिक्रियाएं प्राप्त करें","Get unlimited flowcharts and premium features":"असीमित फ्लोचार्ट और प्रीमियम सुविधाओं का लाभ लें","Go back home":"घर वापस जाओ","Go to the Editor":"संपादक पर जाएं","Go to your Sandbox":"अपने सैंडबॉक्स पर जाएं","Graph":"ग्राफ़","Green?":"हरा?","Grid":"ग्रिड","Have complex questions or issues? We\'re here to help.":"जटिल सवाल या समस्याएं हैं? हम यहां आपकी मदद के लिए हैं।","Here are some Pro features you can now enjoy.":"यहाँ आपको कुछ प्रो फीचर आनंद लेने को मिल रहे हैं।","High-quality exports with embedded fonts":"एम्बेडेड फोंट के साथ उच्च गुणवत्ता वाले निर्यात","History":"हिस्ट्री","Home":"होम","How are edges declared in this data?":"इस डेटा में कैसे किन्हीं कड़ियाँ घोषित होती हैं?","How do I cancel my subscription?":"मेरी सदस्यता कैसे रद्द करूं?","How does AI flowchart generation work?":"AI फ्लोचार्ट जनरेशन कैसे काम करता है?","How would you like to save your chart?":"आप अपने चार्ट को कैसे सहेजना चाहेंगे?","I would like to request a new template:":"मैं एक नया टेम्पलेट अनुरोध करना चाहता हूँ:","ID\'s":"आईडीज़","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"अगर उस ईमेल के साथ एक खाता मौजूद है, तो हमने आपको पासवर्ड रीसेट करने के लिए निर्देशों के साथ एक ईमेल भेजा है।","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"यदि आप <0>Flowchart Fun का उपयोग करना आनंदित हैं, तो कृपया परियोजना को समर्थित करने की सोच करें","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"यदि आप एक एड्ज बनाने के लिए मतलब है, तो इस लाइन को इंडेंट करें। यदि नहीं, तो कॉलन को बैक स्लैश के साथ भागो <0> \\\\: ","Images":"छवियाँ","Import Data":"डेटा आयात करें","Import data from a CSV file.":"CSV फ़ाइल से डेटा आयात करें।","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"किसी भी CSV फ़ाइल से डेटा आयात करें और इसे एक नए प्रक्रिया चार्ट में मैप करें। यह अन्य स्रोतों जैसे लुसिडचार्ट, गूगल शीट्स और विसिओ से डेटा आयात करने के लिए एक अच्छा तरीका है।","Import from CSV":"CSV से आयात करें","Import from Visio, Lucidchart, and CSV":"Visio, Lucidchart और CSV से आयात करें","Import from popular diagram tools":"प्रसिद्ध आरेख उपकरणों से आयात करें","Import your diagram it into Microsoft Visio using one of these CSV files.":"इन CSV फ़ाइलों में से एक का उपयोग करके अपनी आरेख Microsoft Visio में आयात करें।","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"डेटा आयात करना एक पेशेवर सुविधा है। आप केवल $4/माह के लिए Flowchart Fun Pro पर अपग्रेड कर सकते हैं।","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"एक <0>title विशेषता का उपयोग करके एक शीर्षक शामिल करें। Visio रंगीनी का उपयोग करने के लिए, निम्नलिखित में से किसी एक के बराबर एक <1>roleType विशेषता जोड़ें:","Indent to connect nodes":"नोड को जोड़ने के लिए इंडेंट करें","Info":"जानकारी","Is":"हाँ","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON कैनवास आपके द्वारा बनाई गई आपकी आरेख का एक JSON प्रतिनिधि है, जो <0>Obsidian कैनवास और अन्य एप्लिकेशनों द्वारा उपयोग किया जाता है।","Join 2000+ professionals who\'ve upgraded their workflow":"अपने वर्कफ्लो को अपग्रेड कर चुके 2000+ पेशेवरों में शामिल हों","Join thousands of happy users who love Flowchart Fun":"हजारों खुश उपयोगकर्ताओं के साथ शामिल हों जो Flowchart Fun से प्यार करते हैं","Keep Things Private":"चीजों को निजी रखें","Keep changes?":"परिवर्तन रखें?","Keep practicing":"अभ्यास जारी रखें","Keep your data private on your computer":"अपने डेटा को अपने कंप्यूटर पर निजी रखें","Language":"भाषा","Layout":"रूपरेखा","Layout Algorithm":"लेआउट एल्गोरिदम","Layout Frozen":"लेआउट फ्रोज़न","Leading References":"प्रमुख संदर्भ","Learn More":"और अधिक जानें","Learn Syntax":"सिंटैक्स सीखें","Learn about Flowchart Fun Pro":"Flowchart Fun Pro के बारे में जानें","Left to Right":"बाएं से दाएं","Let us know why you\'re canceling. We\'re always looking to improve.":"हमें बताएं कि आप क्यों रद्द कर रहे हैं। हम हमेशा सुधार करने की कोशिश कर रहे हैं।","Light":"लाइट","Light Mode":"लाइट मोड","Link":"लिंक","Link back":"वापस लिंक करें","Load":"लोड","Load Chart":"चार्ट लोड करें","Load File":"फ़ाइल लोड करें","Load Files":"फ़ाइलें लोड करें","Load default content":"डिफ़ॉल्ट सामग्री लोड करें","Load from link?":"लिंक से लोड करें?","Load layout and styles":"लोड लेआउट और शैलियां","Local File Support":"स्थानीय फ़ाइल समर्थन","Local saving for offline access":"ऑफ़लाइन उपयोग के लिए स्थानीय सहेजना","Lock Zoom to Graph":"ग्राफ पर जूम लॉक करें","Log In":"लॉग इन करें","Log Out":"लॉग आउट","Log in to Save":"सेव में लॉग इन करें","Log in to upgrade your account":"अपने खाते को अपग्रेड करने के लिए लॉग इन करें","Make a One-Time Donation":"एक बार दान करें","Make publicly accessible":"सार्वजनिक रूप से एक्सेस दें","Manage Billing":"बिलिंग प्रबंधित करें","Map Data":"डेटा मैप","Maximum width of text inside nodes":"नोड्स के अंदर टेक्स्ट की अधिकतम चौड़ाई","Monthly":"मासिक","Multiple pointers on same line":"एक ही लाइन पर कई प्रतीक","My dog ate my credit card!":"मेरा कुत्ता मेरा क्रेडिट कार्ड खा गया!","Name Chart":"चार्ट का नाम","Name your chart":"अपने चार्ट को नाम दें","New":"नया","New Email":"नई ईमेल","Next charge":"अगला चार्ज","No Edges":"कोई किनारे नहीं","No Watermarks!":"कोई वॉटरमार्क्स नहीं!","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"नहीं, प्रो प्लान के साथ कोई उपयोग सीमाएं नहीं हैं। असीमित फ्लोचार्ट निर्माण और AI सुविधाओं का आनंद लें, जो आपको प्रतिबंधों के बिना खोजने और नवाचार करने की आज़ादी प्रदान करता है।","Node Border Style":"नोड सीमा शैली","Node Colors":"नोड रंग","Node ID":"नोड आईडी","Node ID, Classes, Attributes":"नोड आईडी, वर्ग, गुण","Node Label":"नोड लेबल","Node Shape":"नोड आकार","Node Shapes":"नोड आकार","Nodes":"नोड्स","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"नोड्स को डैश्ड, डॉट्ड, या डबल के साथ शैलीयित किया जा सकता है। सीमाओं को बॉर्डर_नोन के साथ हटाया जा सकता है।","Not Empty":"खाली नहीं","Now you\'re thinking with flowcharts!":"अब आप फ्लोचार्ट के साथ सोच रहे हैं!","Office Hours":"कार्यालय अवधि","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"कभी-कभी मैजिक लिंक आपके स्पैम फोल्डर में खत्म हो जाता है। अगर आप कुछ मिनट बाद उसे नहीं देख रहे हैं, तो वहां जाकर देखें या एक नया लिंक अनुरोध करें।","One on One Support":"एक प्रति एक समर्थन","One-on-One Support":"एक-पर-एक समर्थन","Open Customer Portal":"ग्राहक पोर्टल खोलें","Operation canceled":"ऑपरेशन रद्द किया गया है","Or maybe blue!":"या शायद नीला!","Organization Chart":"संगठन चार्ट","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"हमारा AI आपके पाठ प्रोम्प्ट से आरेख बनाता है, जो सहज मैनुअल संपादन या AI सहायित समायोजन को संभव बनाता है। दूसरों के विपरीत, हमारा प्रो प्लान असीमित AI जनरेशन और संपादन प्रदान करता है, जो आपको सीमाओं के बिना निर्माण करने में सशक्त बनाता है।","Padding":"पैडिंग","Page not found":"पृष्ठ नहीं मिला","Password":"पासवर्ड","Past Due":"पिछले दौरान","Paste a document to convert it":"एक दस्तावेज़ को पेस्ट करें और उसे रूपांतरित करें","Paste your document or outline here to convert it into an organized flowchart.":"अपने दस्तावेज़ या रूपरेखा को यहां पेस्ट करें ताकि इसे एक व्यवस्थित फ्लोचार्ट में बदला जा सके।","Pasted content detected. Convert to Flowchart Fun syntax?":"पेस्ट की गई सामग्री का पता लगाया गया है। फ्लोचार्ट फन सिंटैक्स में रूपांतरित करें?","Perfect for docs and quick sharing":"दस्तावेज़ और त्वरित साझाकरण के लिए उपयुक्त","Permanent Charts are a Pro Feature":"स्थायी चार्ट एक प्रो सुविधा हैं","Playbook":"प्लेबुक","Pointer and container on same line":"प्रतीक और कंटेनर एक ही लाइन पर","Priority One-on-One Support":"प्राथमिकता वाला एक-से-एक समर्थन","Privacy Policy":"गोपनीयता नीति ","Pro tip: Right-click any node to customize its shape and color":"प्रो टिप: किसी भी नोड पर दायां-तीर क्लिक करें और उसकी आकृति और रंग को अनुकूलित करें।","Processing Data":"डेटा प्रसंस्करण","Processing...":"प्रसंस्करण हो रहा है...","Prompt":"प्रश्न","Public":"पब्लिक","Quick experimentation space that resets daily":"रोजाना रीसेट होने वाला त्वरित प्रयोग क्षेत्र","Random":"अनियमित","Rapid Deployment Templates":"त्वरित डिप्लॉयमेंट टेम्पलेट्स","Rapid Templates":"त्वरित टेम्पलेट्स","Raster Export (PNG, JPG)":"रास्टर निर्यात (PNG, JPG)","Rate limit exceeded. Please try again later.":"रेट लिमिट पार हो गई है। कृपया बाद में पुनः प्रयास करें।","Read-only":"केवल पढ़ने के लिए","Reference by Class":"क्लास के द्वारा संदर्भ","Reference by ID":"आईडी द्वारा संदर्भ","Reference by Label":"लेबल द्वारा संदर्भ","References":"संदर्भ","References are used to create edges between nodes that are created elsewhere in the document":"संदर्भ दस्तावेज के अन्य भागों में बनाए गए नोड्स के बीच कड़ियाँ बनाने के लिए उपयोग किए जाते हैं","Referencing a node by its exact label":"सटीक लेबल द्वारा नोड का संदर्भ करना","Referencing a node by its unique ID":"अद्वितीय आईडी द्वारा नोड का संदर्भ करना","Referencing multiple nodes with the same assigned class":"एक ही निर्धारित कक्षा के साथ कई नोड का उल्लेख करना","Refresh Page":"पृष्ठ को ताज़ा करें","Reload to Update":"अपडेट करने के लिए रीलोड करें","Rename":"फिर से नाम बदलें","Request Magic Link":"अनुरोध जादू लिंक","Request Password Reset":"पासवर्ड रीसेट का अनुरोध करें","Reset":"रीसेट करें","Reset Password":"पासवर्ड रीसेट करें","Resume Subscription":"सदस्यता फिर से शुरू करें","Return":"वापसी","Right to Left":"दाएं से बाएं","Right-click nodes for options":"विकल्पों के लिए नोड को दायां-बांयां क्लिक करें","Roadmap":"रोडमैप","Rotate Label":"लेबल को घुमाएँ","SVG Export is a Pro Feature":"SVG निर्यात एक प्रो सुविधा है","Satisfaction guaranteed or first payment refunded":"संतुष्टि की गारंटी या पहली भुगतान की राशि वापस कर दी जाएगी","Save":"सहेजें","Save time with AI and dictation, making it easy to create diagrams.":"एआई और बोलने की सुविधा के साथ समय बचाएं, जो आसान डायग्राम बनाने को बनाता है।","Save to Cloud":"क्लौड में सेव करें","Save to File":"फाइल में सेव करें","Save your Work":"अपनी कार्यवाही सुरक्षित करें","Schedule personal consultation sessions":"निजी परामर्श सत्रों की अनुसूची बनाएं","Secure payment":"सुरक्षित भुगतान","See more reviews on Product Hunt":"Product Hunt पर अधिक समीक्षा देखें","Set a consistent height for all nodes":"सभी नोड्स के लिए एक समान ऊंचाई सेट करें","Settings":"सेटिंग","Share":"साझा करें","Sign In":"साइन इन करें","Sign in with <0>GitHub":"<0>GitHub के साथ साइन इन करें","Sign in with <0>Google":"<0>Google के साथ साइन इन करें","Sorry! This page is only available in English.":"माफ़ करें! यह पेज केवल अंग्रेजी में उपलब्ध है।","Sorry, there was an error converting the text to a flowchart. Try again later.":"क्षमा करें, टेक्स्ट को फ्लोचार्ट में रूपांतरित करने में एक त्रुटि हुई। बाद में पुनः प्रयास करें।","Source Arrow Shape":"स्रोत तीर आकार","Source Column":"स्रोत स्तंभ","Source Delimiter":"स्रोत डिलिमिटर","Source Distance From Node":"नोड से स्रोत दूरी","Source/Target Arrow Shape":"स्रोत / लक्ष्य तीर आकार","Spacing":"अंतराल","Special Attributes":"विशेष गुण","Start":"शुरू","Start Over":"शुरू करें","Start faster with use-case specific templates":"उपयोग मामले विशिष्ट टेम्पलेट के साथ तेजी से शुरू करें","Status":"स्टेटस","Step 1":"कदम 1","Step 2":"कदम 2","Step 3":"कदम 3","Store any data associated to a node":"किसी नोड से संबंधित किसी भी डेटा स्टोर करें","Style Classes":"शैली क्लासेज","Style with classes":"क्लासेस के साथ स्टाइल","Submit":"भेजना","Subscribe to Pro and flowchart the fun way!":"प्रो की सदस्यता लें और मजेदार तरीके से फ्लोचार्ट करें!","Subscription":"सदस्यता","Subscription Successful!":"सदस्यता सफल हुआ!","Subscription will end":"सदस्यता समाप्त हो जाएगी","Target Arrow Shape":"लक्ष्य तीर आकार","Target Column":"लक्ष्य कॉलम","Target Delimiter":"लक्ष्य डेलीमीटर","Target Distance From Node":"नोड से लक्ष्य दूरी","Text Color":"पाठ रंग","Text Horizontal Offset":"टेक्स्ट की क्षैतिज ओफसेट","Text Leading":"पाठ प्रमुख","Text Max Width":"टेक्स्ट की अधिकतम चौड़ाई","Text Vertical Offset":"पाठ लंबाई ऑफसेट","Text followed by colon+space creates an edge with the text as the label":"स्क्लीन के बाद कोलन + स्पेस एक किरदार बनाता है जिसका पाठ लेबल है","Text on a line creates a node with the text as the label":"एक पंक्ति पर पाठ एक नोड बनाता है जिसका पाठ लेबल है","Thank you for your feedback!":"आपके फ़ीडबैक के लिए धन्यवाद!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"शैलीयित करने के लिए सर्वश्रेष्ठ तरीका नोड या एड्ज पर राइट-क्लिक करके आपके द्वारा चाहिए शैली का चयन करना है।","The column that contains the edge label(s)":"कॉलम जो एड्ज लेबल (ओं) को शामिल करता है","The column that contains the source node ID(s)":"कॉलम जो स्रोत नोड आईडी (ओं) को शामिल करता है","The column that contains the target node ID(s)":"कॉलम जो लक्ष्य नोड आईडी (ओं) को शामिल करता है","The delimiter used to separate multiple source nodes":"कई स्रोत नोड्स को अलग करने के लिए उपयोग किया गया डिलिमिटर","The delimiter used to separate multiple target nodes":"कई लक्ष्य नोड्स को अलग करने के लिए उपयोग किया गया डिलिमिटर","The possible shapes are:":"संभव आकृतियाँ हैं:","Theme":"थीम","Theme Customization Editor":"थीम कस्टमाइज़ेशन संपादक","Theme Editor":"थीम संपादक","There are no edges in this data":"इस डेटा में कोई एड्ज नहीं है","This action cannot be undone.":"इस क्रिया को पूर्ववत नहीं किया जा सकता।","This feature is only available to pro users. <0>Become a pro user to unlock it.":"यह सुविधा केवल प्रो उपयोगकर्ताओं के लिए उपलब्ध है। <0>प्रो उपयोगकर्ता बनें इसे अनलॉक करने के लिए।","This may take between 30 seconds and 2 minutes depending on the length of your input.":"आपके इनपुट की लंबाई के आधार पर, यह 30 सेकंड से 2 मिनट तक लग सकता है।","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"यह सैंडबॉक्स प्रयोग करने के लिए परफेक्ट है, लेकिन ध्यान रखें - यह दैनिक रूप से रीसेट होता है। अभी अपग्रेड करें और अपना वर्तमान काम रखें!","This will replace the current content.":"यह वर्तमान सामग्री को बदल देगा।","This will replace your current chart content with the template content.":"यह आपके मौजूदा चार्ट की सामग्री को टेम्पलेट की सामग्री से बदल देगा।","This will replace your current sandbox.":"यह आपके वर्तमान सैंडबॉक्स को बदल देगा।","Time to decide":"फैसला लेने का समय","Tip":"सुझाव","To fix this change one of the edge IDs":"इसे ठीक करने के लिए एड्ज आईडी के एक को बदलें","To fix this change one of the node IDs":"इसे ठीक करने के लिए नोड आईडी के एक को बदलें","To fix this move one pointer to the next line":"इसे ठीक करने के लिए प्रतीक को अगली पंक्ति पर ले जाएं","To fix this start the container <0/> on a different line":"इसे ठीक करने के लिए कंटेनर <0/> को एक अलग पंक्ति पर शुरू करें","To learn more about why we require you to log in, please read <0>this blog post.":"हमें आपको लॉगिन करने के लिए आवश्यक क्यों है, कृपया <0>यह ब्लॉग पोस्ट पढ़ें।","Top to Bottom":"ऊपर से नीचे","Transform Your Ideas into Professional Diagrams in Seconds":"अपने विचारों को सेकंड में प्रोफेशनल डायरेक्टरी में रूपांतरित करें","Transform text into diagrams instantly":"पाठ को तुरंत आरेख में बदलें","Trusted by Professionals and Academics":"पेशेवरों और शिक्षकों द्वारा विश्वसनीय","Try AI":"एआई को आजमाएं","Try again":"फिर से कोशिश करें","Turn your ideas into professional diagrams in seconds":"अपने विचारों को पेशेवर डायग्राम में सेकंडों में बदलें","Two edges have the same ID":"दो किनारे उसी आईडी के हैं","Two nodes have the same ID":"दो नोड उसी आईडी के हैं","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"उह ओह, आपके पास मुफ्त अनुरोधों की सीमा पूरी हो गई है! असीमित डायग्राम परिवर्तन के लिए Flowchart Fun Pro पर अपग्रेड करें, और पाठ को स्पष्ट, दृश्यमान फ्लोचार्ट में आसानी से कॉपी और पेस्ट करते रहें।","Unescaped special character":"अस्केप्ड विशेष वर्ण","Unique text value to identify a node":"एक नोड को पहचानने के लिए अद्वितीय पाठ मूल्य","Unknown":"अज्ञात","Unknown Parsing Error":"अज्ञात पार्सिंग त्रुटि","Unlimited Flowcharts":"असीमित फ्लोचार्ट्स","Unlimited Permanent Flowcharts":"असीमित स्थायी प्रवाहगतीं ","Unlimited cloud-saved flowcharts":"असीमित क्लाउड-सहेजे फ्लोचार्ट्स","Unlock AI Features and never lose your work with a Pro account.":"प्रो खाते से AI फीचर्स खोलें और कभी भी अपना काम न खोएं।","Unlock Unlimited AI Flowcharts":"असीमित AI फ्लोचार्ट्स को अनलॉक करें","Unpaid":"अवैतनिक","Update Email":"ईमेल अपडेट करें","Upgrade Now - Save My Work":"अपग्रेड करें अब - मेरा काम सहेजें","Upgrade to Flowchart Fun Pro and unlock:":"फ्लोचार्ट फन प्रो पर अपग्रेड करें और अनलॉक करें:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"अपने डायग्राम के लिए एसवीजी निर्यात और अधिक उन्नत सुविधाओं का आनंद लेने के लिए फ्लोचार्ट फन प्रो पर अपग्रेड करें।","Upgrade to Pro":"प्रो को अपग्रेड करें","Upgrade to Pro for $2/month":"$2/महीने के लिए प्रो पर अपग्रेड करें","Upload your File":"अपनी फाइल अपलोड करें","Use Custom CSS Only":"केवल कस्टम CSS का उपयोग करें","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"क्या आप Lucidchart या Visio का उपयोग करते हैं? CSV आयात किसी भी स्रोत से डेटा प्राप्त करने को आसान बनाता है!","Use classes to group nodes":"नोड्स को समूहों में सम्मिलित करने के लिए वर्ग उपयोग करें","Use the attribute <0>href to set a link on a node that opens in a new tab.":"नोड पर एक लिंक सेट करने के लिए गुण <0>href उपयोग करें जो एक नये टैब में खुलेगा।","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"नोड की छवि सेट करने के लिए <0>src गुण का उपयोग करें। छवि नोड के आकार में स्केल की जाएगी, इसलिए आपको आवश्यक प्रतिस्थापित करने के लिए नोड की चौड़ाई और ऊँचाई को समायोजित करना होगा। केवल सार्वजनिक छवियाँ (CORS द्वारा ब्लॉक नहीं की गई) समर्थित हैं।","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"नोड की विशिष्ट चौड़ाई और ऊँचाई सेट करने के लिए <0>w और <1>h गुण का उपयोग करें।","Use the customer portal to change your billing information.":"अपनी बिलिंग जानकारी बदलने के लिए ग्राहक पोर्टल का उपयोग करें।","Use these settings to adapt the look and behavior of your flowcharts":"अपने फ्लोचार्ट की दिखता और व्यवहार को अनुकूलित करने के लिए इन सेटिंग्स का उपयोग करें","Use this file for org charts, hierarchies, and other organizational structures.":"संगठनात्मक चार्ट, पदानुक्रमों और अन्य संगठनात्मक संरचनाओं के लिए इस फ़ाइल का उपयोग करें।","Use this file for sequences, processes, and workflows.":"अनुक्रमों, प्रक्रियाओं और कार्यप्रवाहों के लिए इस फ़ाइल का उपयोग करें।","Use this mode to modify and enhance your current chart.":"अपने मौजूदा चार्ट को संशोधित और सुधारित करने के लिए इस मोड का उपयोग करें।","User":"यूज़र","Vector Export (SVG)":"वेक्टर निर्यात (SVG)","View on Github":"Github पर देखें","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"क्या आप एक दस्तावेज़ से फ्लोचार्ट बनाना चाहते हैं? संपादक में इसे पेस्ट करें और \'फ्लोचार्ट में परिवर्तित करें\' पर क्लिक करें।","Watermark-Free Diagrams":"वॉटरमार्क-मुक्त आरेख","Watermarks":"वॉटरमार्क","Welcome to Flowchart Fun":"फ्लोचार्ट फन में आपका स्वागत है","What our users are saying":"हमारे उपयोगकर्ताओं के क्या कहने हैं","What\'s next?":"अगला क्या है?","What\'s this?":"यह क्या है?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"हालांकि हम एक मुफ्त परीक्षण नहीं प्रदान करते हैं, हमारी मूल्य निर्धारण छात्रों और शिक्षकों के लिए विशेष रूप से सुलभ होने के लिए डिज़ाइन किया गया है। बस $4 में एक माह के लिए, आप सभी सुविधाओं को खोज सकते हैं और यह निर्णय ले सकते हैं कि क्या यह आपके लिए सही है। सदस्यता लें, इसे आज़माएं और जब चाहें तब फिर से सदस्यता लें।","Width":"चौड़ाई","Width and Height":"चौड़ाई और ऊँचाई","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"फ्लोचार्ट फन के प्रो संस्करण के साथ, आप प्राकृतिक भाषा के आदेशों का उपयोग करके अपने फ्लोचार्ट विवरणों को त्वरित रूप से समाप्त कर सकते हैं, यात्रा पर आरेख बनाने के लिए आदर्श। $4/महीने के लिए, अपने फ्लोचार्टिंग अनुभव को बढ़ाने के लिए पहुंचने योग्य AI संपादन की सुविधा प्राप्त करें।","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"प्रो संस्करण के साथ आप स्थानीय फ़ाइलों को सहेज और लोड कर सकते हैं। यह ऑफ़लाइन काम से जुड़े दस्तावेज़ों को प्रबंधित करने के लिए उपयुक्त है।","Would you like to continue?":"क्या आप जारी रखना चाहते हैं?","Would you like to suggest a new example?":"क्या आप एक नया उदाहरण सुझाना चाहेंगे?","Wrap text in parentheses to connect to any node":"किसी भी नोड से जुड़ने के लिए ब्रैकेट में लिखें","Write like an outline":"आउटलाइन की तरह लिखें","Write your prompt here or click to enable the microphone, then press and hold to record.":"अपना प्रॉम्प्ट यहां लिखें या माइक्रोफोन को सक्षम करने के लिए क्लिक करें, फिर रिकॉर्ड करने के लिए दबाएं और रखें।","Yearly":"वार्षिक","Yes, Replace Content":"हाँ, सामग्री को बदलें","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"हाँ, हम गैर-लाभकारी संगठनों को विशेष छूट प्रदान करते हैं। अपनी गैर-लाभकारी स्थिति के साथ हमसे संपर्क करें और जानें कि हम आपकी संगठन को कैसे सहायता प्रदान कर सकते हैं।","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"हाँ, आपके क्लाउड फ्लोचार्ट्स केवल तब तक उपलब्ध होते हैं जब आप लॉग इन हों। इसके अलावा, आप स्थानीय रूप से फाइलों को सहेज सकते हैं और लोड कर सकते हैं, जो ऑफ़लाइन में संबंधित काम से निपटने के लिए उपयुक्त हैं।","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["आप अपने ग्राफ में ",["numNodes"]," नोड्स और ",["numEdges"]," एड्ज़ जोड़ने वाले हैं।"],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"<0>Flowchart Fun Pro के साथ आप असीमित स्थायी फ्लोचार्ट बना सकते हैं।","You need to log in to access this page.":"इस पृष्ठ तक पहुँचने के लिए आपको लॉग इन करना होगा।","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"आप पहले से ही एक प्रो उपयोगकर्ता हैं। <0>सदस्यता प्रबंधित करें<1/>क्या आपके पास कोई सवाल या सुविधा अनुरोध है? <2>हमें बताएं","You\'re doing great!":"आप बहुत अच्छा कर रहे हैं!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"आपने अपने सभी नि: शुल्क एआई रूपांतरण का उपयोग किया है। असीमित एआई उपयोग, कस्टम थीम, निजी साझाकरण और अधिक के लिए प्रो पर अपग्रेड करें। अब आसानी से शानदार फ्लोचार्ट बनाते रहें!","Your Charts":"आपके चार्ट","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"आपका सैंडबॉक्स हमारी फ्लोचार्ट टूल के साथ निःशुल्क प्रयोग करने के लिए एक स्थान है, जो हर दिन एक नए शुरुआत के लिए रीसेट होता है।","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"आपके चार्ट रीड-ओनली हैं क्योंकि आपका खाता अब सक्रिय नहीं है। अपने <0>खाता पेज पर जाकर अधिक जानकारी प्राप्त करें।","Your subscription is <0>{statusDisplay}.":["आपका सदस्यता <0>",["statusDisplay"]," है।"],"Zoom In":"ज़ूम इन करें","Zoom Out":"आउट ज़ूम करें","month":"महीना","or":"या","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' + '{"1 Temporary Flowchart":"1 अस्थायी फ्लोचार्ट","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>कस्टम CSS केवल सक्षम है। केवल लेआउट और एडवांस्ड सेटिंग्स लागू की जाएगी।","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun <1>Tone Row द्वारा बनाई गई एक खुला स्रोत परियोजना है ","<0>Sign In / <1>Sign Up with email and password":"<0>साइन इन / <1>साइन अप ईमेल और पासवर्ड के साथ","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>आपके पास वर्तमान में एक मुफ्त खाता है। <1/><2>हमारी प्रो फीचर्स के बारे में जानें और हमारी मुल्यों के पृष्ठ पर सदस्यता लें","A new version of the app is available. Please reload to update.":"एप्प का एक नया वर्जन उपलब्ध है। अपडेट करने के लिए रीलोड करें।","AI Creation & Editing":"एआई निर्माण और संपादन","AI-Powered Flowchart Creation":"एआई-पावर्ड फ्लोचार्ट निर्माण","AI-powered editing to supercharge your workflow":"एआई पावर्ड संपादन आपके वर्कफ्लो को तेज करने के लिए","About":"के बारे में","Account":"खाता","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"किसी भी विशेष वर्ण के पहले एक बैकस्लैश (<0>\\\\) जोड़ें: <1>(, <2>:, <3>#, या <4>.","Add some steps":"कुछ चरण जोड़ें","Advanced":"उन्नत","Align Horizontally":"आड़े सारी तरफ","Align Nodes":"नोड्स को संरेखित करें","Align Vertically":"ऊपर-नीचे सारी तरफ","All this for just $4/month - less than your daily coffee ☕":"सिर्फ $4/महीने में यह सब - आपके दैनिक कॉफ़ी से कम ☕","Amount":"रकम","An error occurred. Try resubmitting or email {0} directly.":["एक एरर हो गया. फिर से सबमिट करने की कोशिश करें या सीधे ",["0"]," ईमेल करें."],"Appearance":"दिखावट","Are my flowcharts private?":"क्या मेरे फ्लोचार्ट निजी हैं?","Are there usage limits?":"क्या उपयोग सीमाएं हैं?","Are you sure you want to delete the flowchart \\"{0}\\"? This action cannot be undone.":"क्या आप वाकई फ्लोचार्ट को हटाना चाहते हैं? ","Are you sure you want to delete the folder \\"{0}\\" and all its contents? This action cannot be undone.":"क्या आप वाकई फ़ोल्डर को हटाना चाहते हैं? ","Are you sure you want to delete the folder \\"{0}\\"? This action cannot be undone.":"क्या आप वाकई फ़ोल्डर को हटाना चाहते हैं? ","Are you sure?":"क्या आप निश्चित हैं?","Arrow Size":"तीर आकार","Attributes":"गुण","August 2023":"2023 अगस्त","Back":"वापस","Back To Editor":"संपादक पर वापस जाएं","Background Color":"पृष्ठभूमि रंग","Basic Flowchart":"बेसिक फ्लोचार्ट","Become a Github Sponsor":"गिटहब स्पॉन्सर बनें","Become a Pro User":"प्रो उपयोगकर्ता बनें","Begin your journey":"अपनी यात्रा शुरू करें","Billed annually at $24":"वार्षिक रूप से $24 का बिल बनाया जाएगा","Billed monthly at $4":"मासिक रूप से $4 पर बिल किया जाता है","Blog":"ब्लॉग","Book a Meeting":"एक बैठक बुक करें","Border Color":"सीमा रंग","Border Width":"सीमा चौड़ाई","Bottom to Top":"नीचे से शीर्ष तक","Breadthfirst":"चौड़ाई पहले","Build your personal flowchart library":"अपनी निजी फ्लोचार्ट लाइब्रेरी बनाएं","Cancel":"रद्द करें","Cancel anytime":"कभी भी रद्द करें","Cancel your subscription. Your hosted charts will become read-only.":"अपनी सदस्यता रद्द करें. आपके होस्ट किये गए चार्ट सिर्फ़ पढ़े जा सकेंगे.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"रद्द करना आसान है। आपके खाते पृष्ठ पर जाएं, नीचे स्क्रॉल करें और रद्द करें पर क्लिक करें। यदि आप पूरी तरह से संतुष्ट नहीं हैं, तो हम आपके पहले भुगतान पर रिफंड प्रदान करते हैं।","Certain attributes can be used to customize the appearance or functionality of elements.":"कुछ गुण तत्वों की दिखता या कार्यक्षमता को अनुकूलित करने के लिए उपयोग किए जा सकते हैं।","Change Email Address":"ईमेल पता बदलें","Changelog":"बदलाव का","Charts":"चार्ट","Check out the guide:":"गाइड की जाँच करें:","Check your email for a link to log in.<0/>You can close this window.":"लॉग इन करने के लिए अपने ईमेल की जाँच करें। आप इस विंडो को बंद कर सकते हैं।","Choose":"चुनें","Choose Template":"टेम्पलेट चुनें","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"एक किनारे के स्रोत और लक्ष्य के लिए विभिन्न तीर आकारों से चुनें। आकार शामिल हैं त्रिकोण, त्रिकोण-टी, सर्कल-त्रिकोण, त्रिकोण-क्रॉस, त्रिकोण-बैककर्व, वी, टी, चौकोर, हीरा, चेवरॉन और कोई नहीं।","Choose how edges connect between nodes":"नोड्स के बीच एज कैसे कनेक्ट करें चुनें","Choose how nodes are automatically arranged in your flowchart":"अपने फ्लोचार्ट में नोडों को स्वचालित रूप से व्यवस्थित कैसे करें चुनें","Circle":"परिधि","Classes":"वर्ग","Clear":"साफ़","Clear text?":"पाठ साफ़ करें?","Clone":"क्लोन करें","Clone Flowchart":"फ्लोचार्ट को क्लोन करें ","Close":"बंद करें","Color":"रंग","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"रंग में लाल, नारंगी, पीला, नीला, बैंगनी, काला, सफेद, और ग्रे शामिल हैं।","Column":"स्तंभ","Comment":"टिप्पणी","Compare our plans and find the perfect fit for your flowcharting needs":"हमारे प्लानों की तुलना करें और अपनी फ्लोचार्टिंग की आवश्यकताओं के लिए सही विकल्प खोजें","Concentric":"गाढ़ा","Confirm New Email":"नई ईमेल की पुष्टि करें","Confirm your email address to sign in.":"साइन इन करने के लिए अपना ईमेल पता पुष्टि करें।","Connect your Data":"अपने डेटा को कनेक्ट करें","Containers":"कंटेनर","Containers are nodes that contain other nodes. They are declared using curly braces.":"कंटेनर उन नोड्स हैं जो अन्य नोड्स को सम्मिलित करते हैं। वे कर्ली ब्रेस का उपयोग करके घोषित किया जाता है।","Continue":"जारी रखें","Continue in Sandbox (Resets daily, work not saved)":"सैंडबॉक्स में जारी रखें (दैनिक रूप से रीसेट होता है, काम सहेजा नहीं जाता)","Controls the flow direction of hierarchical layouts":"वर्गीकृत लेआउट की धारा को नियंत्रित करता है","Convert":"परिवर्तन करें","Convert to Flowchart":"फ्लोचार्ट में बदलें","Convert to hosted chart?":"होस्टेड चार्ट में कनवर्ट करें?","Cookie Policy":"कुकी नीति","Copied SVG code to clipboard":"क्लिपबोर्ड पर SVG कोड कॉपी किया गया","Copied {format} to clipboard":["क्लिपबोर्ड पर ",["प्रारूप"]," कॉपी किया गया"],"Copy":"कॉपी करें","Copy PNG Image":"PNG छवि कॉपी करें","Copy SVG Code":"SVG कोड कॉपी करें","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"अपने Excalidraw कोड को कॉपी करें और <0>excalidraw.com में पेस्ट करें ताकि आप संपादित कर सकें। यह सुविधा प्रयोगात्मक है और सभी आरेखों के साथ काम नहीं कर सकती। यदि आपको कोई बग मिलता है, तो <1>हमें जानकारी दें।","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"अपना मर्मेड.जेएस कोड कॉपी करें या मर्मेड.जेएस लाइव एडिटर में सीधे खोलें।","Create":"बनाएं","Create Flowcharts using AI":"एआई का उपयोग करके फ्लोचार्ट बनाएं","Create Unlimited Flowcharts":"असीमित पारितकथाओं बनाएं","Create a New Chart":"एक नया चार्ट बनाएं","Create a flowchart showing the steps of planning and executing a school fundraising event":"एक स्कूल रेस्ट्रोइज़िंग इवेंट की योजना और निष्पादन के चरणों को दिखाने वाला फ्लोचार्ट बनाएं","Create a new flowchart to get started or organize your work with folders.":"शुरू करने के लिए एक नया फ्लोचार्ट बनाएं या फ़ोल्डर के साथ अपना काम संगठित करें। ","Create flowcharts instantly: Type or paste text, see it visualized.":"तुरंत फ्लोचार्ट बनाएं: पाठ लिखें या पेस्ट करें, उसे दृश्यीकृत करें।","Create unlimited diagrams for just $4/month!":"सिर्फ $4/महीने में असीमित आरेख बनाएं!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"आकार में असीमित फ्लोचार्ट को क्लाउड में संग्रहीत करें - किसी भी जगह से उपलब्ध!","Create with AI":"AI के साथ बनाएं","Created Date":"बनाई गई तारीख","Creating an edge between two nodes is done by indenting the second node below the first":"दो नोड्स के बीच एक एज बनाने के लिए दूसरा नोड पहले वाले के नीचे इंडेंट करना होता है","Curve Style":"वक्र शैली","Custom CSS":"कस्टम CSS","Custom Sharing Options":"कस्टम शेयरिंग विकल्प","Customer Portal":"ग्राहक पोर्टल","Daily Sandbox Editor":"दैनिक सैंडबॉक्स संपादक","Dark":"डार्क","Dark Mode":"डार्क मोड","Data Import (Visio, Lucidchart, CSV)":"डेटा आयात (विशियो, ल्यूसिडचार्ट, सीएसवी)","Data import feature for complex diagrams":"जटिल आरेखों के लिए डेटा आयात सुविधा","Date":"तारीख़","Delete":"हटाएँ","Delete {0}":["हटाएँ ",["0"]],"Design a software development lifecycle flowchart for an agile team":"एक एजाइल टीम के लिए सॉफ्टवेयर विकास जीवनचक्र फ्लोचार्ट डिज़ाइन करें","Develop a decision tree for a CEO to evaluate potential new market opportunities":"एक सीईओ के लिए नए बाजार के अवसरों का मूल्यांकन करने के लिए एक फैसले का पेड़ विकसित करें","Direction":"दिशा","Dismiss":"खारिज करें","Do you have a free trial?":"क्या आपके पास एक मुफ्त परीक्षण है?","Do you offer a non-profit discount?":"क्या आप गैर-लाभकारी छूट प्रदान करते हैं?","Do you want to delete this?":"क्या आप इसे डिलीट करना चाहते हैं?","Document":"दस्तावेज़","Don\'t Lose Your Work":"अपना काम न खो दें","Download":"डाउनलोड","Download JPG":"JPG डाउनलोड करें","Download PNG":"PNG डाउनलोड करें","Download SVG":"SVG डाउनलोड करें","Drag and drop a CSV file here, or click to select a file":"CSV फ़ाइल यहां ड्रैग और ड्रॉप करें, या फ़ाइल का चयन करने के लिए क्लिक करें","Draw an edge from multiple nodes by beginning the line with a reference":"एक से अधिक नोड्स से एज ड्रा करने के लिए लाइन को एक संदर्भ के साथ शुरू करें","Drop the file here ...":"फाइल यहाँ ड्रॉप करें ...","Each line becomes a node":"प्रत्येक पंक्ति एक नोड बन जाती है","Edge ID, Classes, Attributes":"किनारे आईडी, वर्ग, गुण","Edge Label":"किनारे लेबल","Edge Label Column":"किनारे लेबल कॉलम","Edge Style":"किनारे शैली","Edge Text Size":"एड्ज टेक्स्ट आकार","Edge missing indentation":"एड्ज अंतराल गुम है","Edges":"किन्तुओं","Edges are declared in the same row as their source node":"उनके स्रोत नोड के ही पंक्ति में किन्तुओं की घोषणा की जाती है","Edges are declared in the same row as their target node":"उनके लक्ष्य नोड के ही पंक्ति में किन्तुओं की घोषणा की जाती है","Edges are declared in their own row":"किन्तुओं को अपनी खुद की पंक्ति में घोषणा की जाती है","Edges can also have ID\'s, classes, and attributes before the label":"लेबल से पहले, किन्तुओं को आईडीज़, क्लासेज़ और गुण देने की अनुमति होती है","Edges can be styled with dashed, dotted, or solid lines":"किन्तुओं को डैश्ड, डॉटेड या सॉलिड लाइन्स के साथ स्टाइल किया जा सकता है","Edges in Separate Rows":"अलग पंक्तियों में किन्हें","Edges in Source Node Row":"स्रोत नोड पंक्ति में किन्हें","Edges in Target Node Row":"लक्ष्य नोड पंक्ति में किन्हें","Edit":"संपादित करें","Edit with AI":"एआई के साथ संपादित करें","Editable":"संपादन योग्य","Editor":"संपादक","Email":"ईमेल","Empty":"खाली","Enable to set a consistent height for all nodes":"सभी नोड्स के लिए एक समान ऊंचाई सेट करने के लिए सक्षम करें","Enter a name for the cloned flowchart.":"क्लोन फ्लोचार्ट के लिए एक नाम दर्ज करें।","Enter a name for the new folder.":"नए फोल्डर के लिए एक नाम दर्ज करें।","Enter a new name for the {0}.":[["0"]," के लिए एक नया नाम दर्ज करें।"],"Enter your email address and we\'ll send you a magic link to sign in.":"अपना ईमेल पता दर्ज करें और हम आपको साइन इन करने के लिए एक जादूगरी लिंक भेजेंगे।","Enter your email address below and we\'ll send you a link to reset your password.":"नीचे अपना ईमेल पता दर्ज करें और हम आपको अपना पासवर्ड रीसेट करने के लिए एक लिंक भेजेंगे।","Equal To":"बराबर","Everything you need to know about Flowchart Fun Pro":"Flowchart Fun Pro के बारे में आपको सब कुछ जानने की जरूरत है","Examples":"उदाहरण","Excalidraw":"Excalidraw","Exclusive Office Hours":"अनन्य ऑफिस घंटे","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"अपने फ्लोचार्ट में स्थानीय फाइलों को सीधे लोड करने की क्षमता का अनुभव करें, जो काम से संबंधित दस्तावेजों को ऑफ़लाइन प्रबंधित करने के लिए उत्कृष्ट है। फ्लोचार्ट फन प्रो के साथ इस अनूठे प्रो फीचर को और भी खोलें, सिर्फ $4/महीने में उपलब्ध है।","Explore more":"और ज्ञान प्राप्त करें","Export":"एक्सपोर्ट करें","Export clean diagrams without branding":"ब्रांडिंग के बिना साफ आरेख निर्यात करें","Export to PNG & JPG":"PNG और JPG में निर्यात करें","Export to PNG, JPG, and SVG":"PNG, JPG और SVG में निर्यात करें","Feature Breakdown":"विशेषता विभाजन","Feedback":"फ़ीडबैक","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"किसी भी चिंता के लिए हमसे फीडबैक पेज के माध्यम से संपर्क करने के लिए स्वतंत्रता से अन्वेषण करें और प्रवेश करें।","Fine-tune layouts and visual styles":"लेआउट और दृश्य शैलियों को समायोजित करें","Fixed Height":"निश्चित ऊंचाई","Fixed Node Height":"निर्धारित नोड ऊंचाई","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"फ्लोचार्ट फन प्रो आपको सिर्फ $4/महीने में असीमित फ्लोचार्ट, असीमित सहयोगी और असीमित स्टोरेज प्रदान करता है।","Follow Us on Twitter":"हमारे साथ ट्विटर पर फॉलो करें","Font Family":"फॉन्ट परिवार","Forgot your password?":"अपना पासवर्ड भूल गए?","Found a bug? Have a feature request? We would love to hear from you!":"एक बग पाया? एक सुविधा अनुरोध है? हम आपसे सुनने के लिए प्रसन्न होंगे!","Free":"मुफ्त","Frequently Asked Questions":"अक्सर पूछे जाने वाले सवाल","Full-screen, read-only, and template sharing":"पूर्ण स्क्रीन, केवल पढ़ने के लिए और टेम्पलेट साझा करें","Fullscreen":"फ़ुलस्क्रीन","General":"सामान्य","Generate flowcharts from text automatically":"पाठ से स्वचालित रूप से फ्लोचार्ट उत्पन्न करें","Get Pro Access Now":"अब प्रो एक्सेस प्राप्त करें","Get Unlimited AI Requests":"असीमित एआई अनुरोध प्राप्त करें","Get rapid responses to your questions":"अपने सवालों के लिए त्वरित प्रतिक्रियाएं प्राप्त करें","Get unlimited flowcharts and premium features":"असीमित फ्लोचार्ट और प्रीमियम सुविधाओं का लाभ लें","Go back home":"घर वापस जाओ","Go to the Editor":"संपादक पर जाएं","Go to your Sandbox":"अपने सैंडबॉक्स पर जाएं","Graph":"ग्राफ़","Green?":"हरा?","Grid":"ग्रिड","Have complex questions or issues? We\'re here to help.":"जटिल सवाल या समस्याएं हैं? हम यहां आपकी मदद के लिए हैं।","Here are some Pro features you can now enjoy.":"यहाँ आपको कुछ प्रो फीचर आनंद लेने को मिल रहे हैं।","High-quality exports with embedded fonts":"एम्बेडेड फोंट के साथ उच्च गुणवत्ता वाले निर्यात","History":"हिस्ट्री","Home":"होम","How are edges declared in this data?":"इस डेटा में कैसे किन्हीं कड़ियाँ घोषित होती हैं?","How do I cancel my subscription?":"मेरी सदस्यता कैसे रद्द करूं?","How does AI flowchart generation work?":"AI फ्लोचार्ट जनरेशन कैसे काम करता है?","How would you like to save your chart?":"आप अपने चार्ट को कैसे सहेजना चाहेंगे?","I would like to request a new template:":"मैं एक नया टेम्पलेट अनुरोध करना चाहता हूँ:","ID\'s":"आईडीज़","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"अगर उस ईमेल के साथ एक खाता मौजूद है, तो हमने आपको पासवर्ड रीसेट करने के लिए निर्देशों के साथ एक ईमेल भेजा है।","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"यदि आप <0>Flowchart Fun का उपयोग करना आनंदित हैं, तो कृपया परियोजना को समर्थित करने की सोच करें","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"यदि आप एक एड्ज बनाने के लिए मतलब है, तो इस लाइन को इंडेंट करें। यदि नहीं, तो कॉलन को बैक स्लैश के साथ भागो <0> \\\\: ","Images":"छवियाँ","Import Data":"डेटा आयात करें","Import data from a CSV file.":"CSV फ़ाइल से डेटा आयात करें।","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"किसी भी CSV फ़ाइल से डेटा आयात करें और इसे एक नए प्रक्रिया चार्ट में मैप करें। यह अन्य स्रोतों जैसे लुसिडचार्ट, गूगल शीट्स और विसिओ से डेटा आयात करने के लिए एक अच्छा तरीका है।","Import from CSV":"CSV से आयात करें","Import from Visio, Lucidchart, and CSV":"Visio, Lucidchart और CSV से आयात करें","Import from popular diagram tools":"प्रसिद्ध आरेख उपकरणों से आयात करें","Import your diagram it into Microsoft Visio using one of these CSV files.":"इन CSV फ़ाइलों में से एक का उपयोग करके अपनी आरेख Microsoft Visio में आयात करें।","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"डेटा आयात करना एक पेशेवर सुविधा है। आप केवल $4/माह के लिए Flowchart Fun Pro पर अपग्रेड कर सकते हैं।","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"एक <0>title विशेषता का उपयोग करके एक शीर्षक शामिल करें। Visio रंगीनी का उपयोग करने के लिए, निम्नलिखित में से किसी एक के बराबर एक <1>roleType विशेषता जोड़ें:","Indent to connect nodes":"नोड को जोड़ने के लिए इंडेंट करें","Info":"जानकारी","Is":"हाँ","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON कैनवास आपके द्वारा बनाई गई आपकी आरेख का एक JSON प्रतिनिधि है, जो <0>Obsidian कैनवास और अन्य एप्लिकेशनों द्वारा उपयोग किया जाता है।","Join 2000+ professionals who\'ve upgraded their workflow":"अपने वर्कफ्लो को अपग्रेड कर चुके 2000+ पेशेवरों में शामिल हों","Join thousands of happy users who love Flowchart Fun":"हजारों खुश उपयोगकर्ताओं के साथ शामिल हों जो Flowchart Fun से प्यार करते हैं","Keep Things Private":"चीजों को निजी रखें","Keep changes?":"परिवर्तन रखें?","Keep practicing":"अभ्यास जारी रखें","Keep your data private on your computer":"अपने डेटा को अपने कंप्यूटर पर निजी रखें","Language":"भाषा","Layout":"रूपरेखा","Layout Algorithm":"लेआउट एल्गोरिदम","Layout Frozen":"लेआउट फ्रोज़न","Leading References":"प्रमुख संदर्भ","Learn More":"और अधिक जानें","Learn Syntax":"सिंटैक्स सीखें","Learn about Flowchart Fun Pro":"Flowchart Fun Pro के बारे में जानें","Left to Right":"बाएं से दाएं","Let us know why you\'re canceling. We\'re always looking to improve.":"हमें बताएं कि आप क्यों रद्द कर रहे हैं। हम हमेशा सुधार करने की कोशिश कर रहे हैं।","Light":"लाइट","Light Mode":"लाइट मोड","Link":"लिंक","Link back":"वापस लिंक करें","Load":"लोड","Load Chart":"चार्ट लोड करें","Load File":"फ़ाइल लोड करें","Load Files":"फ़ाइलें लोड करें","Load default content":"डिफ़ॉल्ट सामग्री लोड करें","Load from link?":"लिंक से लोड करें?","Load layout and styles":"लोड लेआउट और शैलियां","Loading...":"लोड हो रहा है...","Local File Support":"स्थानीय फ़ाइल समर्थन","Local saving for offline access":"ऑफ़लाइन उपयोग के लिए स्थानीय सहेजना","Lock Zoom to Graph":"ग्राफ पर जूम लॉक करें","Log In":"लॉग इन करें","Log Out":"लॉग आउट","Log in to Save":"सेव में लॉग इन करें","Log in to upgrade your account":"अपने खाते को अपग्रेड करने के लिए लॉग इन करें","Make a One-Time Donation":"एक बार दान करें","Make publicly accessible":"सार्वजनिक रूप से एक्सेस दें","Manage Billing":"बिलिंग प्रबंधित करें","Map Data":"डेटा मैप","Maximum width of text inside nodes":"नोड्स के अंदर टेक्स्ट की अधिकतम चौड़ाई","Monthly":"मासिक","Move":"चलो","Move {0}":["चलो ",["0"]],"Multiple pointers on same line":"एक ही लाइन पर कई प्रतीक","My dog ate my credit card!":"मेरा कुत्ता मेरा क्रेडिट कार्ड खा गया!","Name":"नाम","Name Chart":"चार्ट का नाम","Name your chart":"अपने चार्ट को नाम दें","New":"नया","New Email":"नई ईमेल","New Flowchart":"नया फ्लोचार्ट","New Folder":"नया फोल्डर","Next charge":"अगला चार्ज","No Edges":"कोई किनारे नहीं","No Folder (Root)":"कोई फोल्डर नहीं (मूल)","No Watermarks!":"कोई वॉटरमार्क्स नहीं!","No charts yet":"अभी तक कोई चार्ट नहीं","No items in this folder":"इस फोल्डर में कोई आइटम नहीं","No matching charts found":"कोई मिलते जुलते चार्ट नहीं मिले","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"नहीं, प्रो प्लान के साथ कोई उपयोग सीमाएं नहीं हैं। असीमित फ्लोचार्ट निर्माण और AI सुविधाओं का आनंद लें, जो आपको प्रतिबंधों के बिना खोजने और नवाचार करने की आज़ादी प्रदान करता है।","Node Border Style":"नोड सीमा शैली","Node Colors":"नोड रंग","Node ID":"नोड आईडी","Node ID, Classes, Attributes":"नोड आईडी, वर्ग, गुण","Node Label":"नोड लेबल","Node Shape":"नोड आकार","Node Shapes":"नोड आकार","Nodes":"नोड्स","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"नोड्स को डैश्ड, डॉट्ड, या डबल के साथ शैलीयित किया जा सकता है। सीमाओं को बॉर्डर_नोन के साथ हटाया जा सकता है।","Not Empty":"खाली नहीं","Now you\'re thinking with flowcharts!":"अब आप फ्लोचार्ट के साथ सोच रहे हैं!","Office Hours":"कार्यालय अवधि","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"कभी-कभी मैजिक लिंक आपके स्पैम फोल्डर में खत्म हो जाता है। अगर आप कुछ मिनट बाद उसे नहीं देख रहे हैं, तो वहां जाकर देखें या एक नया लिंक अनुरोध करें।","One on One Support":"एक प्रति एक समर्थन","One-on-One Support":"एक-पर-एक समर्थन","Open Customer Portal":"ग्राहक पोर्टल खोलें","Operation canceled":"ऑपरेशन रद्द किया गया है","Or maybe blue!":"या शायद नीला!","Organization Chart":"संगठन चार्ट","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"हमारा AI आपके पाठ प्रोम्प्ट से आरेख बनाता है, जो सहज मैनुअल संपादन या AI सहायित समायोजन को संभव बनाता है। दूसरों के विपरीत, हमारा प्रो प्लान असीमित AI जनरेशन और संपादन प्रदान करता है, जो आपको सीमाओं के बिना निर्माण करने में सशक्त बनाता है।","Padding":"पैडिंग","Page not found":"पृष्ठ नहीं मिला","Password":"पासवर्ड","Past Due":"पिछले दौरान","Paste a document to convert it":"एक दस्तावेज़ को पेस्ट करें और उसे रूपांतरित करें","Paste your document or outline here to convert it into an organized flowchart.":"अपने दस्तावेज़ या रूपरेखा को यहां पेस्ट करें ताकि इसे एक व्यवस्थित फ्लोचार्ट में बदला जा सके।","Pasted content detected. Convert to Flowchart Fun syntax?":"पेस्ट की गई सामग्री का पता लगाया गया है। फ्लोचार्ट फन सिंटैक्स में रूपांतरित करें?","Perfect for docs and quick sharing":"दस्तावेज़ और त्वरित साझाकरण के लिए उपयुक्त","Permanent Charts are a Pro Feature":"स्थायी चार्ट एक प्रो सुविधा हैं","Playbook":"प्लेबुक","Pointer and container on same line":"प्रतीक और कंटेनर एक ही लाइन पर","Priority One-on-One Support":"प्राथमिकता वाला एक-से-एक समर्थन","Privacy Policy":"गोपनीयता नीति ","Pro tip: Right-click any node to customize its shape and color":"प्रो टिप: किसी भी नोड पर दायां-तीर क्लिक करें और उसकी आकृति और रंग को अनुकूलित करें।","Processing Data":"डेटा प्रसंस्करण","Processing...":"प्रसंस्करण हो रहा है...","Prompt":"प्रश्न","Public":"पब्लिक","Quick experimentation space that resets daily":"रोजाना रीसेट होने वाला त्वरित प्रयोग क्षेत्र","Random":"अनियमित","Rapid Deployment Templates":"त्वरित डिप्लॉयमेंट टेम्पलेट्स","Rapid Templates":"त्वरित टेम्पलेट्स","Raster Export (PNG, JPG)":"रास्टर निर्यात (PNG, JPG)","Rate limit exceeded. Please try again later.":"रेट लिमिट पार हो गई है। कृपया बाद में पुनः प्रयास करें।","Read-only":"केवल पढ़ने के लिए","Reference by Class":"क्लास के द्वारा संदर्भ","Reference by ID":"आईडी द्वारा संदर्भ","Reference by Label":"लेबल द्वारा संदर्भ","References":"संदर्भ","References are used to create edges between nodes that are created elsewhere in the document":"संदर्भ दस्तावेज के अन्य भागों में बनाए गए नोड्स के बीच कड़ियाँ बनाने के लिए उपयोग किए जाते हैं","Referencing a node by its exact label":"सटीक लेबल द्वारा नोड का संदर्भ करना","Referencing a node by its unique ID":"अद्वितीय आईडी द्वारा नोड का संदर्भ करना","Referencing multiple nodes with the same assigned class":"एक ही निर्धारित कक्षा के साथ कई नोड का उल्लेख करना","Refresh Page":"पृष्ठ को ताज़ा करें","Reload to Update":"अपडेट करने के लिए रीलोड करें","Rename":"फिर से नाम बदलें","Rename {0}":["नाम बदलें ",["0"]],"Request Magic Link":"अनुरोध जादू लिंक","Request Password Reset":"पासवर्ड रीसेट का अनुरोध करें","Reset":"रीसेट करें","Reset Password":"पासवर्ड रीसेट करें","Resume Subscription":"सदस्यता फिर से शुरू करें","Return":"वापसी","Right to Left":"दाएं से बाएं","Right-click nodes for options":"विकल्पों के लिए नोड को दायां-बांयां क्लिक करें","Roadmap":"रोडमैप","Rotate Label":"लेबल को घुमाएँ","SVG Export is a Pro Feature":"SVG निर्यात एक प्रो सुविधा है","Satisfaction guaranteed or first payment refunded":"संतुष्टि की गारंटी या पहली भुगतान की राशि वापस कर दी जाएगी","Save":"सहेजें","Save time with AI and dictation, making it easy to create diagrams.":"एआई और बोलने की सुविधा के साथ समय बचाएं, जो आसान डायग्राम बनाने को बनाता है।","Save to Cloud":"क्लौड में सेव करें","Save to File":"फाइल में सेव करें","Save your Work":"अपनी कार्यवाही सुरक्षित करें","Schedule personal consultation sessions":"निजी परामर्श सत्रों की अनुसूची बनाएं","Secure payment":"सुरक्षित भुगतान","See more reviews on Product Hunt":"Product Hunt पर अधिक समीक्षा देखें","Select a destination folder for \\"{0}\\".":"के लिए एक लक्षित फोल्डर का चयन करें \\\\","Set a consistent height for all nodes":"सभी नोड्स के लिए एक समान ऊंचाई सेट करें","Settings":"सेटिंग","Share":"साझा करें","Sign In":"साइन इन करें","Sign in with <0>GitHub":"<0>GitHub के साथ साइन इन करें","Sign in with <0>Google":"<0>Google के साथ साइन इन करें","Sorry! This page is only available in English.":"माफ़ करें! यह पेज केवल अंग्रेजी में उपलब्ध है।","Sorry, there was an error converting the text to a flowchart. Try again later.":"क्षमा करें, टेक्स्ट को फ्लोचार्ट में रूपांतरित करने में एक त्रुटि हुई। बाद में पुनः प्रयास करें।","Sort Ascending":"आरोही क्रम में छाँटें","Sort Descending":"अवरोहण करें","Sort by {0}":[["0"]," द्वारा क्रमबद्ध करें"],"Source Arrow Shape":"स्रोत तीर आकार","Source Column":"स्रोत स्तंभ","Source Delimiter":"स्रोत डिलिमिटर","Source Distance From Node":"नोड से स्रोत दूरी","Source/Target Arrow Shape":"स्रोत / लक्ष्य तीर आकार","Spacing":"अंतराल","Special Attributes":"विशेष गुण","Start":"शुरू","Start Over":"शुरू करें","Start faster with use-case specific templates":"उपयोग मामले विशिष्ट टेम्पलेट के साथ तेजी से शुरू करें","Status":"स्टेटस","Step 1":"कदम 1","Step 2":"कदम 2","Step 3":"कदम 3","Store any data associated to a node":"किसी नोड से संबंधित किसी भी डेटा स्टोर करें","Style Classes":"शैली क्लासेज","Style with classes":"क्लासेस के साथ स्टाइल","Submit":"भेजना","Subscribe to Pro and flowchart the fun way!":"प्रो की सदस्यता लें और मजेदार तरीके से फ्लोचार्ट करें!","Subscription":"सदस्यता","Subscription Successful!":"सदस्यता सफल हुआ!","Subscription will end":"सदस्यता समाप्त हो जाएगी","Target Arrow Shape":"लक्ष्य तीर आकार","Target Column":"लक्ष्य कॉलम","Target Delimiter":"लक्ष्य डेलीमीटर","Target Distance From Node":"नोड से लक्ष्य दूरी","Text Color":"पाठ रंग","Text Horizontal Offset":"टेक्स्ट की क्षैतिज ओफसेट","Text Leading":"पाठ प्रमुख","Text Max Width":"टेक्स्ट की अधिकतम चौड़ाई","Text Vertical Offset":"पाठ लंबाई ऑफसेट","Text followed by colon+space creates an edge with the text as the label":"स्क्लीन के बाद कोलन + स्पेस एक किरदार बनाता है जिसका पाठ लेबल है","Text on a line creates a node with the text as the label":"एक पंक्ति पर पाठ एक नोड बनाता है जिसका पाठ लेबल है","Thank you for your feedback!":"आपके फ़ीडबैक के लिए धन्यवाद!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"शैलीयित करने के लिए सर्वश्रेष्ठ तरीका नोड या एड्ज पर राइट-क्लिक करके आपके द्वारा चाहिए शैली का चयन करना है।","The column that contains the edge label(s)":"कॉलम जो एड्ज लेबल (ओं) को शामिल करता है","The column that contains the source node ID(s)":"कॉलम जो स्रोत नोड आईडी (ओं) को शामिल करता है","The column that contains the target node ID(s)":"कॉलम जो लक्ष्य नोड आईडी (ओं) को शामिल करता है","The delimiter used to separate multiple source nodes":"कई स्रोत नोड्स को अलग करने के लिए उपयोग किया गया डिलिमिटर","The delimiter used to separate multiple target nodes":"कई लक्ष्य नोड्स को अलग करने के लिए उपयोग किया गया डिलिमिटर","The possible shapes are:":"संभव आकृतियाँ हैं:","Theme":"थीम","Theme Customization Editor":"थीम कस्टमाइज़ेशन संपादक","Theme Editor":"थीम संपादक","There are no edges in this data":"इस डेटा में कोई एड्ज नहीं है","This action cannot be undone.":"इस क्रिया को पूर्ववत नहीं किया जा सकता।","This feature is only available to pro users. <0>Become a pro user to unlock it.":"यह सुविधा केवल प्रो उपयोगकर्ताओं के लिए उपलब्ध है। <0>प्रो उपयोगकर्ता बनें इसे अनलॉक करने के लिए।","This may take between 30 seconds and 2 minutes depending on the length of your input.":"आपके इनपुट की लंबाई के आधार पर, यह 30 सेकंड से 2 मिनट तक लग सकता है।","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"यह सैंडबॉक्स प्रयोग करने के लिए परफेक्ट है, लेकिन ध्यान रखें - यह दैनिक रूप से रीसेट होता है। अभी अपग्रेड करें और अपना वर्तमान काम रखें!","This will replace the current content.":"यह वर्तमान सामग्री को बदल देगा।","This will replace your current chart content with the template content.":"यह आपके मौजूदा चार्ट की सामग्री को टेम्पलेट की सामग्री से बदल देगा।","This will replace your current sandbox.":"यह आपके वर्तमान सैंडबॉक्स को बदल देगा।","Time to decide":"फैसला लेने का समय","Tip":"सुझाव","To fix this change one of the edge IDs":"इसे ठीक करने के लिए एड्ज आईडी के एक को बदलें","To fix this change one of the node IDs":"इसे ठीक करने के लिए नोड आईडी के एक को बदलें","To fix this move one pointer to the next line":"इसे ठीक करने के लिए प्रतीक को अगली पंक्ति पर ले जाएं","To fix this start the container <0/> on a different line":"इसे ठीक करने के लिए कंटेनर <0/> को एक अलग पंक्ति पर शुरू करें","To learn more about why we require you to log in, please read <0>this blog post.":"हमें आपको लॉगिन करने के लिए आवश्यक क्यों है, कृपया <0>यह ब्लॉग पोस्ट पढ़ें।","Top to Bottom":"ऊपर से नीचे","Transform Your Ideas into Professional Diagrams in Seconds":"अपने विचारों को सेकंड में प्रोफेशनल डायरेक्टरी में रूपांतरित करें","Transform text into diagrams instantly":"पाठ को तुरंत आरेख में बदलें","Trusted by Professionals and Academics":"पेशेवरों और शिक्षकों द्वारा विश्वसनीय","Try AI":"एआई को आजमाएं","Try adjusting your search or filters to find what you\'re looking for.":"अपनी खोज या फ़िल्टरों को समायोजित करने का प्रयास करें ताकि आप जो ढूंढ रहे हैं उसे ढूंढ सकें।","Try again":"फिर से कोशिश करें","Turn your ideas into professional diagrams in seconds":"अपने विचारों को पेशेवर डायग्राम में सेकंडों में बदलें","Two edges have the same ID":"दो किनारे उसी आईडी के हैं","Two nodes have the same ID":"दो नोड उसी आईडी के हैं","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"उह ओह, आपके पास मुफ्त अनुरोधों की सीमा पूरी हो गई है! असीमित डायग्राम परिवर्तन के लिए Flowchart Fun Pro पर अपग्रेड करें, और पाठ को स्पष्ट, दृश्यमान फ्लोचार्ट में आसानी से कॉपी और पेस्ट करते रहें।","Unescaped special character":"अस्केप्ड विशेष वर्ण","Unique text value to identify a node":"एक नोड को पहचानने के लिए अद्वितीय पाठ मूल्य","Unknown":"अज्ञात","Unknown Parsing Error":"अज्ञात पार्सिंग त्रुटि","Unlimited Flowcharts":"असीमित फ्लोचार्ट्स","Unlimited Permanent Flowcharts":"असीमित स्थायी प्रवाहगतीं ","Unlimited cloud-saved flowcharts":"असीमित क्लाउड-सहेजे फ्लोचार्ट्स","Unlock AI Features and never lose your work with a Pro account.":"प्रो खाते से AI फीचर्स खोलें और कभी भी अपना काम न खोएं।","Unlock Unlimited AI Flowcharts":"असीमित AI फ्लोचार्ट्स को अनलॉक करें","Unpaid":"अवैतनिक","Update Email":"ईमेल अपडेट करें","Updated Date":"अपडेट की गई तारीख","Upgrade Now - Save My Work":"अपग्रेड करें अब - मेरा काम सहेजें","Upgrade to Flowchart Fun Pro and unlock:":"फ्लोचार्ट फन प्रो पर अपग्रेड करें और अनलॉक करें:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"अपने डायग्राम के लिए एसवीजी निर्यात और अधिक उन्नत सुविधाओं का आनंद लेने के लिए फ्लोचार्ट फन प्रो पर अपग्रेड करें।","Upgrade to Pro":"प्रो को अपग्रेड करें","Upgrade to Pro for $2/month":"$2/महीने के लिए प्रो पर अपग्रेड करें","Upload your File":"अपनी फाइल अपलोड करें","Use Custom CSS Only":"केवल कस्टम CSS का उपयोग करें","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"क्या आप Lucidchart या Visio का उपयोग करते हैं? CSV आयात किसी भी स्रोत से डेटा प्राप्त करने को आसान बनाता है!","Use classes to group nodes":"नोड्स को समूहों में सम्मिलित करने के लिए वर्ग उपयोग करें","Use the attribute <0>href to set a link on a node that opens in a new tab.":"नोड पर एक लिंक सेट करने के लिए गुण <0>href उपयोग करें जो एक नये टैब में खुलेगा।","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"नोड की छवि सेट करने के लिए <0>src गुण का उपयोग करें। छवि नोड के आकार में स्केल की जाएगी, इसलिए आपको आवश्यक प्रतिस्थापित करने के लिए नोड की चौड़ाई और ऊँचाई को समायोजित करना होगा। केवल सार्वजनिक छवियाँ (CORS द्वारा ब्लॉक नहीं की गई) समर्थित हैं।","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"नोड की विशिष्ट चौड़ाई और ऊँचाई सेट करने के लिए <0>w और <1>h गुण का उपयोग करें।","Use the customer portal to change your billing information.":"अपनी बिलिंग जानकारी बदलने के लिए ग्राहक पोर्टल का उपयोग करें।","Use these settings to adapt the look and behavior of your flowcharts":"अपने फ्लोचार्ट की दिखता और व्यवहार को अनुकूलित करने के लिए इन सेटिंग्स का उपयोग करें","Use this file for org charts, hierarchies, and other organizational structures.":"संगठनात्मक चार्ट, पदानुक्रमों और अन्य संगठनात्मक संरचनाओं के लिए इस फ़ाइल का उपयोग करें।","Use this file for sequences, processes, and workflows.":"अनुक्रमों, प्रक्रियाओं और कार्यप्रवाहों के लिए इस फ़ाइल का उपयोग करें।","Use this mode to modify and enhance your current chart.":"अपने मौजूदा चार्ट को संशोधित और सुधारित करने के लिए इस मोड का उपयोग करें।","User":"यूज़र","Vector Export (SVG)":"वेक्टर निर्यात (SVG)","View on Github":"Github पर देखें","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"क्या आप एक दस्तावेज़ से फ्लोचार्ट बनाना चाहते हैं? संपादक में इसे पेस्ट करें और \'फ्लोचार्ट में परिवर्तित करें\' पर क्लिक करें।","Watermark-Free Diagrams":"वॉटरमार्क-मुक्त आरेख","Watermarks":"वॉटरमार्क","Welcome to Flowchart Fun":"फ्लोचार्ट फन में आपका स्वागत है","What our users are saying":"हमारे उपयोगकर्ताओं के क्या कहने हैं","What\'s next?":"अगला क्या है?","What\'s this?":"यह क्या है?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"हालांकि हम एक मुफ्त परीक्षण नहीं प्रदान करते हैं, हमारी मूल्य निर्धारण छात्रों और शिक्षकों के लिए विशेष रूप से सुलभ होने के लिए डिज़ाइन किया गया है। बस $4 में एक माह के लिए, आप सभी सुविधाओं को खोज सकते हैं और यह निर्णय ले सकते हैं कि क्या यह आपके लिए सही है। सदस्यता लें, इसे आज़माएं और जब चाहें तब फिर से सदस्यता लें।","Width":"चौड़ाई","Width and Height":"चौड़ाई और ऊँचाई","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"फ्लोचार्ट फन के प्रो संस्करण के साथ, आप प्राकृतिक भाषा के आदेशों का उपयोग करके अपने फ्लोचार्ट विवरणों को त्वरित रूप से समाप्त कर सकते हैं, यात्रा पर आरेख बनाने के लिए आदर्श। $4/महीने के लिए, अपने फ्लोचार्टिंग अनुभव को बढ़ाने के लिए पहुंचने योग्य AI संपादन की सुविधा प्राप्त करें।","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"प्रो संस्करण के साथ आप स्थानीय फ़ाइलों को सहेज और लोड कर सकते हैं। यह ऑफ़लाइन काम से जुड़े दस्तावेज़ों को प्रबंधित करने के लिए उपयुक्त है।","Would you like to continue?":"क्या आप जारी रखना चाहते हैं?","Would you like to suggest a new example?":"क्या आप एक नया उदाहरण सुझाना चाहेंगे?","Wrap text in parentheses to connect to any node":"किसी भी नोड से जुड़ने के लिए ब्रैकेट में लिखें","Write like an outline":"आउटलाइन की तरह लिखें","Write your prompt here or click to enable the microphone, then press and hold to record.":"अपना प्रॉम्प्ट यहां लिखें या माइक्रोफोन को सक्षम करने के लिए क्लिक करें, फिर रिकॉर्ड करने के लिए दबाएं और रखें।","Yearly":"वार्षिक","Yes, Replace Content":"हाँ, सामग्री को बदलें","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"हाँ, हम गैर-लाभकारी संगठनों को विशेष छूट प्रदान करते हैं। अपनी गैर-लाभकारी स्थिति के साथ हमसे संपर्क करें और जानें कि हम आपकी संगठन को कैसे सहायता प्रदान कर सकते हैं।","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"हाँ, आपके क्लाउड फ्लोचार्ट्स केवल तब तक उपलब्ध होते हैं जब आप लॉग इन हों। इसके अलावा, आप स्थानीय रूप से फाइलों को सहेज सकते हैं और लोड कर सकते हैं, जो ऑफ़लाइन में संबंधित काम से निपटने के लिए उपयुक्त हैं।","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["आप अपने ग्राफ में ",["numNodes"]," नोड्स और ",["numEdges"]," एड्ज़ जोड़ने वाले हैं।"],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"<0>Flowchart Fun Pro के साथ आप असीमित स्थायी फ्लोचार्ट बना सकते हैं।","You need to log in to access this page.":"इस पृष्ठ तक पहुँचने के लिए आपको लॉग इन करना होगा।","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"आप पहले से ही एक प्रो उपयोगकर्ता हैं। <0>सदस्यता प्रबंधित करें<1/>क्या आपके पास कोई सवाल या सुविधा अनुरोध है? <2>हमें बताएं","You\'re doing great!":"आप बहुत अच्छा कर रहे हैं!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"आपने अपने सभी नि: शुल्क एआई रूपांतरण का उपयोग किया है। असीमित एआई उपयोग, कस्टम थीम, निजी साझाकरण और अधिक के लिए प्रो पर अपग्रेड करें। अब आसानी से शानदार फ्लोचार्ट बनाते रहें!","Your Charts":"आपके चार्ट","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"आपका सैंडबॉक्स हमारी फ्लोचार्ट टूल के साथ निःशुल्क प्रयोग करने के लिए एक स्थान है, जो हर दिन एक नए शुरुआत के लिए रीसेट होता है।","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"आपके चार्ट रीड-ओनली हैं क्योंकि आपका खाता अब सक्रिय नहीं है। अपने <0>खाता पेज पर जाकर अधिक जानकारी प्राप्त करें।","Your subscription is <0>{statusDisplay}.":["आपका सदस्यता <0>",["statusDisplay"]," है।"],"Zoom In":"ज़ूम इन करें","Zoom Out":"आउट ज़ूम करें","month":"महीना","or":"या","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' ), }; diff --git a/app/src/locales/hi/messages.po b/app/src/locales/hi/messages.po index 06f3775a2..0cffa67b1 100644 --- a/app/src/locales/hi/messages.po +++ b/app/src/locales/hi/messages.po @@ -110,6 +110,18 @@ msgstr "क्या मेरे फ्लोचार्ट निजी ह msgid "Are there usage limits?" msgstr "क्या उपयोग सीमाएं हैं?" +#: src/components/charts/ChartModals.tsx:50 +msgid "Are you sure you want to delete the flowchart \"{0}\"? This action cannot be undone." +msgstr "क्या आप वाकई फ्लोचार्ट को हटाना चाहते हैं? " + +#: src/components/charts/ChartModals.tsx:39 +msgid "Are you sure you want to delete the folder \"{0}\" and all its contents? This action cannot be undone." +msgstr "क्या आप वाकई फ़ोल्डर को हटाना चाहते हैं? " + +#: src/components/charts/ChartModals.tsx:44 +msgid "Are you sure you want to delete the folder \"{0}\"? This action cannot be undone." +msgstr "क्या आप वाकई फ़ोल्डर को हटाना चाहते हैं? " + #: src/components/LoadTemplateDialog.tsx:121 msgid "Are you sure?" msgstr "क्या आप निश्चित हैं?" @@ -204,6 +216,11 @@ msgstr "अपनी निजी फ्लोचार्ट लाइब्र #: src/components/ImportDataDialog.tsx:698 #: src/components/LoadTemplateDialog.tsx:149 #: src/components/RenameButton.tsx:160 +#: src/components/charts/ChartModals.tsx:59 +#: src/components/charts/ChartModals.tsx:129 +#: src/components/charts/ChartModals.tsx:207 +#: src/components/charts/ChartModals.tsx:277 +#: src/components/charts/ChartModals.tsx:440 #: src/pages/Account.tsx:323 #: src/pages/Account.tsx:335 #: src/pages/Account.tsx:426 @@ -287,9 +304,15 @@ msgid "Clear text?" msgstr "पाठ साफ़ करें?" #: src/components/CloneButton.tsx:48 +#: src/components/charts/ChartListItem.tsx:191 +#: src/components/charts/ChartModals.tsx:136 msgid "Clone" msgstr "क्लोन करें" +#: src/components/charts/ChartModals.tsx:111 +msgid "Clone Flowchart" +msgstr "फ्लोचार्ट को क्लोन करें " + #: src/components/LearnSyntaxDialog.tsx:413 msgid "Close" msgstr "बंद करें" @@ -398,6 +421,7 @@ msgstr "अपने Excalidraw कोड को कॉपी करें औ msgid "Copy your mermaid.js code or open it directly in the mermaid.js live editor." msgstr "अपना मर्मेड.जेएस कोड कॉपी करें या मर्मेड.जेएस लाइव एडिटर में सीधे खोलें।" +#: src/components/charts/ChartModals.tsx:284 #: src/pages/New.tsx:184 msgid "Create" msgstr "बनाएं" @@ -418,6 +442,10 @@ msgstr "एक नया चार्ट बनाएं" msgid "Create a flowchart showing the steps of planning and executing a school fundraising event" msgstr "एक स्कूल रेस्ट्रोइज़िंग इवेंट की योजना और निष्पादन के चरणों को दिखाने वाला फ्लोचार्ट बनाएं" +#: src/components/charts/EmptyState.tsx:41 +msgid "Create a new flowchart to get started or organize your work with folders." +msgstr "शुरू करने के लिए एक नया फ्लोचार्ट बनाएं या फ़ोल्डर के साथ अपना काम संगठित करें। " + #: src/components/FlowchartHeader.tsx:44 msgid "Create flowcharts instantly: Type or paste text, see it visualized." msgstr "तुरंत फ्लोचार्ट बनाएं: पाठ लिखें या पेस्ट करें, उसे दृश्यीकृत करें।" @@ -434,6 +462,10 @@ msgstr "आकार में असीमित फ्लोचार्ट msgid "Create with AI" msgstr "AI के साथ बनाएं" +#: src/components/charts/ChartsToolbar.tsx:103 +msgid "Created Date" +msgstr "बनाई गई तारीख" + #: src/components/LearnSyntaxDialog.tsx:167 msgid "Creating an edge between two nodes is done by indenting the second node below the first" msgstr "दो नोड्स के बीच एक एज बनाने के लिए दूसरा नोड पहले वाले के नीचे इंडेंट करना होता है" @@ -481,6 +513,15 @@ msgstr "जटिल आरेखों के लिए डेटा आया msgid "Date" msgstr "तारीख़" +#: src/components/charts/ChartListItem.tsx:205 +#: src/components/charts/ChartModals.tsx:62 +msgid "Delete" +msgstr "हटाएँ" + +#: src/components/charts/ChartModals.tsx:33 +msgid "Delete {0}" +msgstr "हटाएँ {0}" + #: src/pages/createExamples.tsx:8 msgid "Design a software development lifecycle flowchart for an agile team" msgstr "एक एजाइल टीम के लिए सॉफ्टवेयर विकास जीवनचक्र फ्लोचार्ट डिज़ाइन करें" @@ -653,6 +694,18 @@ msgstr "खाली" msgid "Enable to set a consistent height for all nodes" msgstr "सभी नोड्स के लिए एक समान ऊंचाई सेट करने के लिए सक्षम करें" +#: src/components/charts/ChartModals.tsx:115 +msgid "Enter a name for the cloned flowchart." +msgstr "क्लोन फ्लोचार्ट के लिए एक नाम दर्ज करें।" + +#: src/components/charts/ChartModals.tsx:263 +msgid "Enter a name for the new folder." +msgstr "नए फोल्डर के लिए एक नाम दर्ज करें।" + +#: src/components/charts/ChartModals.tsx:191 +msgid "Enter a new name for the {0}." +msgstr "{0} के लिए एक नया नाम दर्ज करें।" + #: src/pages/LogIn.tsx:138 msgid "Enter your email address and we'll send you a magic link to sign in." msgstr "अपना ईमेल पता दर्ज करें और हम आपको साइन इन करने के लिए एक जादूगरी लिंक भेजेंगे।" @@ -803,6 +856,7 @@ msgid "Go to the Editor" msgstr "संपादक पर जाएं" #: src/pages/Charts.tsx:285 +#: src/pages/MyCharts.tsx:241 msgid "Go to your Sandbox" msgstr "अपने सैंडबॉक्स पर जाएं" @@ -1048,6 +1102,10 @@ msgstr "लिंक से लोड करें?" msgid "Load layout and styles" msgstr "लोड लेआउट और शैलियां" +#: src/components/charts/ChartListItem.tsx:236 +msgid "Loading..." +msgstr "लोड हो रहा है..." + #: src/components/FeatureBreakdown.tsx:83 #: src/pages/Pricing.tsx:63 msgid "Local File Support" @@ -1103,6 +1161,15 @@ msgstr "नोड्स के अंदर टेक्स्ट की अध msgid "Monthly" msgstr "मासिक" +#: src/components/charts/ChartListItem.tsx:179 +#: src/components/charts/ChartModals.tsx:443 +msgid "Move" +msgstr "चलो" + +#: src/components/charts/ChartModals.tsx:398 +msgid "Move {0}" +msgstr "चलो {0}" + #: src/lib/parserErrors.tsx:29 msgid "Multiple pointers on same line" msgstr "एक ही लाइन पर कई प्रतीक" @@ -1111,6 +1178,10 @@ msgstr "एक ही लाइन पर कई प्रतीक" msgid "My dog ate my credit card!" msgstr "मेरा कुत्ता मेरा क्रेडिट कार्ड खा गया!" +#: src/components/charts/ChartsToolbar.tsx:97 +msgid "Name" +msgstr "नाम" + #: src/pages/New.tsx:108 #: src/pages/New.tsx:116 msgid "Name Chart" @@ -1130,6 +1201,17 @@ msgstr "नया" msgid "New Email" msgstr "नई ईमेल" +#: src/components/charts/ChartsToolbar.tsx:139 +#: src/components/charts/EmptyState.tsx:55 +msgid "New Flowchart" +msgstr "नया फ्लोचार्ट" + +#: src/components/charts/ChartModals.tsx:259 +#: src/components/charts/ChartsToolbar.tsx:147 +#: src/components/charts/EmptyState.tsx:62 +msgid "New Folder" +msgstr "नया फोल्डर" + #: src/pages/Account.tsx:171 #: src/pages/Account.tsx:472 msgid "Next charge" @@ -1139,10 +1221,26 @@ msgstr "अगला चार्ज" msgid "No Edges" msgstr "कोई किनारे नहीं" +#: src/components/charts/ChartModals.tsx:429 +msgid "No Folder (Root)" +msgstr "कोई फोल्डर नहीं (मूल)" + #: src/pages/Pricing.tsx:67 msgid "No Watermarks!" msgstr "कोई वॉटरमार्क्स नहीं!" +#: src/components/charts/EmptyState.tsx:30 +msgid "No charts yet" +msgstr "अभी तक कोई चार्ट नहीं" + +#: src/components/charts/ChartListItem.tsx:253 +msgid "No items in this folder" +msgstr "इस फोल्डर में कोई आइटम नहीं" + +#: src/components/charts/EmptyState.tsx:28 +msgid "No matching charts found" +msgstr "कोई मिलते जुलते चार्ट नहीं मिले" + #: src/components/FAQ.tsx:23 msgid "No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions." msgstr "नहीं, प्रो प्लान के साथ कोई उपयोग सीमाएं नहीं हैं। असीमित फ्लोचार्ट निर्माण और AI सुविधाओं का आनंद लें, जो आपको प्रतिबंधों के बिना खोजने और नवाचार करने की आज़ादी प्रदान करता है।" @@ -1379,9 +1477,15 @@ msgstr "अपडेट करने के लिए रीलोड करे #: src/components/RenameButton.tsx:100 #: src/components/RenameButton.tsx:121 #: src/components/RenameButton.tsx:163 +#: src/components/charts/ChartListItem.tsx:168 +#: src/components/charts/ChartModals.tsx:214 msgid "Rename" msgstr "फिर से नाम बदलें" +#: src/components/charts/ChartModals.tsx:187 +msgid "Rename {0}" +msgstr "नाम बदलें {0}" + #: src/pages/LogIn.tsx:164 msgid "Request Magic Link" msgstr "अनुरोध जादू लिंक" @@ -1471,6 +1575,10 @@ msgstr "सुरक्षित भुगतान" msgid "See more reviews on Product Hunt" msgstr "Product Hunt पर अधिक समीक्षा देखें" +#: src/components/charts/ChartModals.tsx:402 +msgid "Select a destination folder for \"{0}\"." +msgstr "के लिए एक लक्षित फोल्डर का चयन करें \" + #: src/components/Tabs/ThemeTab.tsx:395 msgid "Set a consistent height for all nodes" msgstr "सभी नोड्स के लिए एक समान ऊंचाई सेट करें" @@ -1506,6 +1614,18 @@ msgstr "माफ़ करें! यह पेज केवल अंग्र msgid "Sorry, there was an error converting the text to a flowchart. Try again later." msgstr "क्षमा करें, टेक्स्ट को फ्लोचार्ट में रूपांतरित करने में एक त्रुटि हुई। बाद में पुनः प्रयास करें।" +#: src/components/charts/ChartsToolbar.tsx:124 +msgid "Sort Ascending" +msgstr "आरोही क्रम में छाँटें" + +#: src/components/charts/ChartsToolbar.tsx:119 +msgid "Sort Descending" +msgstr "अवरोहण करें" + +#: src/components/charts/ChartsToolbar.tsx:79 +msgid "Sort by {0}" +msgstr "{0} द्वारा क्रमबद्ध करें" + #: src/components/Tabs/ThemeTab.tsx:491 #: src/components/Tabs/ThemeTab.tsx:492 msgid "Source Arrow Shape" @@ -1780,6 +1900,10 @@ msgstr "पेशेवरों और शिक्षकों द्वार msgid "Try AI" msgstr "एआई को आजमाएं" +#: src/components/charts/EmptyState.tsx:36 +msgid "Try adjusting your search or filters to find what you're looking for." +msgstr "अपनी खोज या फ़िल्टरों को समायोजित करने का प्रयास करें ताकि आप जो ढूंढ रहे हैं उसे ढूंढ सकें।" + #: src/components/App.tsx:82 msgid "Try again" msgstr "फिर से कोशिश करें" @@ -1845,6 +1969,10 @@ msgstr "अवैतनिक" msgid "Update Email" msgstr "ईमेल अपडेट करें" +#: src/components/charts/ChartsToolbar.tsx:109 +msgid "Updated Date" +msgstr "अपडेट की गई तारीख" + #: src/components/SandboxWarning.tsx:95 msgid "Upgrade Now - Save My Work" msgstr "अपग्रेड करें अब - मेरा काम सहेजें" @@ -2037,6 +2165,7 @@ msgid "You've used all your free AI conversions. Upgrade to Pro for unlimited AI msgstr "आपने अपने सभी नि: शुल्क एआई रूपांतरण का उपयोग किया है। असीमित एआई उपयोग, कस्टम थीम, निजी साझाकरण और अधिक के लिए प्रो पर अपग्रेड करें। अब आसानी से शानदार फ्लोचार्ट बनाते रहें!" #: src/pages/Charts.tsx:93 +#: src/pages/MyCharts.tsx:235 msgid "Your Charts" msgstr "आपके चार्ट" diff --git a/app/src/locales/ko/messages.js b/app/src/locales/ko/messages.js index d2f6c57a0..d3b7d1263 100644 --- a/app/src/locales/ko/messages.js +++ b/app/src/locales/ko/messages.js @@ -1,5 +1,5 @@ /*eslint-disable*/ module.exports = { messages: JSON.parse( - '{"1 Temporary Flowchart":"1 임시 플로차트","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>사용자 정의 CSS만이 활성화되었습니다. 레이아웃과 고급 설정만 적용됩니다.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun은 <1>Tone Row가 만든 오픈 소스 프로젝트입니다.","<0>Sign In / <1>Sign Up with email and password":"<0>로그인 / <1>회원가입 이메일과 비밀번호로","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>현재 당신은 무료 계정을 가지고 있습니다. <1/><2>프로 기능에 대해 알아보고 우리 가격 페이지에서 구독하세요.","A new version of the app is available. Please reload to update.":"새로운 버전의 앱이 사용 가능합니다. 업데이트하려면 다시로드하십시오.","AI Creation & Editing":"AI 생성 및 편집","AI-Powered Flowchart Creation":"인공지능 기반 플로우차트 생성","AI-powered editing to supercharge your workflow":"워크플로우를 강화하기 위한 AI 기반 편집 기능","About":"소개","Account":"계정","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"특수 문자 앞에는 역슬래시 (<0>\\\\)를 추가하세요: <1>(, <2>:, <3>#, 또는 <4>.","Add some steps":"몇 가지 단계를 추가하세요.","Advanced":"고급","Align Horizontally":"수평 정렬","Align Nodes":"노드 정렬하기","Align Vertically":"수직 정렬","All this for just $4/month - less than your daily coffee ☕":"하루 커피 값보다 저렴한 월 $4로 이 모든 것을 이용하세요 ☕","Amount":"금액","An error occurred. Try resubmitting or email {0} directly.":["오류가 발생하였습니다. 다시 제출하거나 ",["0"],"으로 직접 이메일을 보내주십시오."],"Appearance":"외관","Are my flowcharts private?":"내 플로우차트는 비공개 상태인가요?","Are there usage limits?":"사용 제한 사항이 있나요?","Are you sure?":"확실합니까?","Arrow Size":"화살표 크기","Attributes":"속성","August 2023":"2023년 8월","Back":"뒤로","Back To Editor":"편집기로 돌아가기","Background Color":"배경색","Basic Flowchart":"기본 플로우 차트","Become a Github Sponsor":"깃허브 스폰서가 되기","Become a Pro User":"프로 사용자가 되기","Begin your journey":"여정을 시작하세요.","Billed annually at $24":"매년 $24로 청구됩니다","Billed monthly at $4":"매달 $4에 청구됩니다.","Blog":"블로그","Book a Meeting":"미팅 예약","Border Color":"테두리 색","Border Width":"테두리 너비","Bottom to Top":"아래에서 위로","Breadthfirst":"폭 우선","Build your personal flowchart library":"개인용 플로우차트 라이브러리 만들기","Cancel":"취소","Cancel anytime":"언제든 취소 가능","Cancel your subscription. Your hosted charts will become read-only.":"구독을 취소하십시오. 귀하의 호스트 차트가 읽기 전용이 됩니다.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"취소는 간단합니다. 계정 페이지로 이동하고 맨 아래로 스크롤한 다음 취소 버튼을 클릭하세요. 만족하지 않으시면 첫 번째 결제 금액에 대해 환불해 드립니다.","Certain attributes can be used to customize the appearance or functionality of elements.":"일부 속성은 요소의 모양 또는 기능을 사용자 정의하기 위해 사용할 수 있습니다.","Change Email Address":"이메일 주소 변경","Changelog":"변경 로그","Charts":"차트","Check out the guide:":"가이드를 확인하세요:","Check your email for a link to log in.<0/>You can close this window.":"로그인할 링크가 들어있는 이메일을 확인하세요. 이 창은 닫을 수 있습니다.","Choose":"선택하세요","Choose Template":"템플릿 선택","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"에지의 소스와 목적지를 위한 다양한 화살표 모양을 선택합니다. 모양에는 삼각형, 삼각형-티, 원-삼각형, 삼각형-가위형, 삼각형-뒤곡선, 베이, 티, 사각형, 원, 다이아몬드, 쉐브론, 없음이 포함됩니다.","Choose how edges connect between nodes":"노드 간 연결 방식 선택","Choose how nodes are automatically arranged in your flowchart":"플로우차트에서 노드가 자동으로 정렬되는 방식을 선택하세요.","Circle":"원","Classes":"클래스","Clear":"지우다","Clear text?":"텍스트를 지우시겠습니까?","Clone":"클론","Close":"닫기","Color":"색상","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"색상에는 빨강, 주황, 노랑, 파랑, 보라, 검정, 흰색, 회색이 포함됩니다.","Column":"열","Comment":"댓글 달기","Compare our plans and find the perfect fit for your flowcharting needs":"우리의 요금제를 비교하고 당신의 플로우차트 작성 요구에 맞는 완벽한 선택을 찾으세요","Concentric":"동심","Confirm New Email":"새 이메일 확인","Confirm your email address to sign in.":"로그인하려면 이메일 주소를 확인하세요.","Connect your Data":"데이터 연결","Containers":"컨테이너","Containers are nodes that contain other nodes. They are declared using curly braces.":"컨테이너는 다른 노드를 포함하는 노드입니다. 중괄호를 사용하여 선언됩니다.","Continue":"계속하기","Continue in Sandbox (Resets daily, work not saved)":"샌드박스에서 계속하기 (매일 초기화되며 작업은 저장되지 않음)","Controls the flow direction of hierarchical layouts":"계층적 레이아웃의 흐름 방향을 제어합니다.","Convert":"변환하기","Convert to Flowchart":"흐름도로 변환","Convert to hosted chart?":"호스팅 차트로 변환하시겠습니까?","Cookie Policy":"쿠키 정책","Copied SVG code to clipboard":"클립보드에 SVG 코드 복사","Copied {format} to clipboard":["클립보드에 ",["format"]," 복사"],"Copy":"복사","Copy PNG Image":"PNG 이미지 복사","Copy SVG Code":"SVG 코드 복사","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Excalidraw 코드를 복사해서 <0>excalidraw.com에 붙여넣어서 편집하세요. 이 기능은 실험적이며 모든 다이어그램과 작동하지 않을 수 있습니다. 버그를 발견하면 <1>알려주세요.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"mermaid.js 코드를 복사하거나 mermaid.js 라이브 편집기에서 직접 열어주세요.","Create":"만들기","Create Flowcharts using AI":"AI를 사용하여 플로차트를 만들어보세요","Create Unlimited Flowcharts":"무제한 플로차트 만들기","Create a New Chart":"새 차트 만들기","Create a flowchart showing the steps of planning and executing a school fundraising event":"학교 모금 행사를 계획하고 실행하는 단계를 보여주는 플로우차트를 작성하십시오.","Create flowcharts instantly: Type or paste text, see it visualized.":"즉시 플로우차트 생성: 텍스트를 입력하거나 붙여넣고 시각화해보세요.","Create unlimited diagrams for just $4/month!":"매달 $4로 무제한 다이어그램을 생성하세요!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"클라우드에 저장된 무한 플로우 차트 생성 - 어디서나 액세스 가능!","Create with AI":"AI로 만들기","Creating an edge between two nodes is done by indenting the second node below the first":"두 노드 사이에 엣지를 만드는 것은 첫 번째 노드 아래에 두 번째 노드를 들여 쓰는 것으로 합니다.","Curve Style":"곡선 스타일","Custom CSS":"사용자 정의 CSS","Custom Sharing Options":"커스텀 공유 옵션","Customer Portal":"고객 포털","Daily Sandbox Editor":"매일 샌드박스 편집기","Dark":"다크","Dark Mode":"다크 모드","Data Import (Visio, Lucidchart, CSV)":"데이터 가져오기 (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"복잡한 다이어그램을 위한 데이터 가져오기 기능","Date":"날짜","Design a software development lifecycle flowchart for an agile team":"애자일 팀을 위한 소프트웨어 개발 라이프사이클 플로우차트를 디자인하십시오.","Develop a decision tree for a CEO to evaluate potential new market opportunities":"CEO가 잠재적인 새 시장 기회를 평가하기 위해 사용할 수 있는 의사결정 트리를 개발하십시오.","Direction":"방향","Dismiss":"해지","Do you have a free trial?":"무료 체험 기간이 있나요?","Do you offer a non-profit discount?":"비영리 단체 할인을 제공하나요?","Do you want to delete this?":"본 항목을 삭제하시겠습니까?","Document":"문서","Don\'t Lose Your Work":"당신의 작업을 잃지 마세요","Download":"다운로드","Download JPG":"JPG 다운로드","Download PNG":"PNG 다운로드","Download SVG":"SVG 다운로드","Drag and drop a CSV file here, or click to select a file":"CSV 파일을 여기에 드래그 앤 드롭하거나 파일을 선택하려면 클릭하세요.","Draw an edge from multiple nodes by beginning the line with a reference":"참조를 시작하여 여러 노드로부터 엣지를 그립니다.","Drop the file here ...":"파일을 여기에 드롭하세요 ...","Each line becomes a node":"각 줄은 노드가 됩니다.","Edge ID, Classes, Attributes":"가장자리 ID, 클래스, 속성","Edge Label":"가장자리 라벨","Edge Label Column":"가장자리 라벨 열","Edge Style":"가장자리 스타일","Edge Text Size":"가장자리 텍스트 크기","Edge missing indentation":"들여쓰기가 누락된 가장자리","Edges":"가장자리","Edges are declared in the same row as their source node":"가장자리는 소스 노드가 있는 같은 행에 선언됩니다.","Edges are declared in the same row as their target node":"가장자리는 목표 노드가 있는 같은 행에 선언됩니다.","Edges are declared in their own row":"가장자리는 자신의 행에 선언됩니다.","Edges can also have ID\'s, classes, and attributes before the label":"라벨 앞에 ID, 클래스 및 속성도 가질 수 있습니다.","Edges can be styled with dashed, dotted, or solid lines":"가장자리는 점선, 점선 또는 실선으로 스타일이 지정될 수 있습니다.","Edges in Separate Rows":"각 행별로 간선","Edges in Source Node Row":"출발 노드 행에 간선","Edges in Target Node Row":"도착 노드 행에 간선","Edit":"편집하기","Edit with AI":"AI로 편집하기","Editable":"편집 가능","Editor":"에디터","Email":"이메일","Empty":"비어 있음","Enable to set a consistent height for all nodes":"모든 노드의 일관된 높이 설정 가능","Enter your email address and we\'ll send you a magic link to sign in.":"이메일 주소를 입력하면 자동으로 로그인할 수 있는 링크를 보내드립니다.","Enter your email address below and we\'ll send you a link to reset your password.":"아래에 이메일 주소를 입력하면 비밀번호 재설정을 위한 링크를 보내드립니다.","Equal To":"같음","Everything you need to know about Flowchart Fun Pro":"Flowchart Fun Pro에 대해 알아야 할 모든 것","Examples":"예시","Excalidraw":"Excalidraw","Exclusive Office Hours":"독점 오피스 시간","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"로컬 파일을 직접 플로우차트에 로드하여 효율성과 보안성을 경험해보세요. 오프라인에서 업무 관련 문서를 관리하기에 완벽한 기능입니다. Flowchart Fun Pro를 구독하면 이 독점적인 프로 기능과 더 많은 기능을 이용할 수 있습니다. 매달 $4로 이용 가능합니다.","Explore more":"더 탐험하세요.","Export":"내보내기","Export clean diagrams without branding":"브랜딩 없이 깔끔한 다이어그램 내보내기","Export to PNG & JPG":"PNG 및 JPG로 내보내기","Export to PNG, JPG, and SVG":"PNG, JPG 및 SVG로 내보내기","Feature Breakdown":"기능 분해","Feedback":"피드백","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"우리에게 연락하고 자유롭게 탐색하시고 <0>피드백 페이지를 통해 의견을 제시하실 수 있습니다.","Fine-tune layouts and visual styles":"레이아웃과 시각적 스타일을 세밀하게 조정하기","Fixed Height":"고정 높이","Fixed Node Height":"고정된 노드 높이","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Flowchart Fun Pro는 매달 $4로 무제한 플로우차트, 무제한 공동 작업자 및 무제한 저장 공간을 제공합니다.","Follow Us on Twitter":"트위터에서 우리를 팔로우하기","Font Family":"글꼴 가족","Forgot your password?":"비밀번호를 잊으셨나요?","Found a bug? Have a feature request? We would love to hear from you!":"버그를 발견했습니까? 기능 요청이 있습니까? 우리는 당신과의 소통을 사랑합니다!","Free":"무료","Frequently Asked Questions":"자주 묻는 질문들","Full-screen, read-only, and template sharing":"전체 화면, 읽기 전용, 그리고 템플릿 공유","Fullscreen":"전체 화면","General":"일반","Generate flowcharts from text automatically":"텍스트로부터 자동으로 플로우차트 생성하기","Get Pro Access Now":"지금 프로 액세스 받기","Get Unlimited AI Requests":"무제한 AI 요청 받기","Get rapid responses to your questions":"귀하의 질문에 신속한 답변 받기","Get unlimited flowcharts and premium features":"무제한 플로우차트 및 프리미엄 기능 이용하기","Go back home":"집으로 돌아가기","Go to the Editor":"편집기로 가기","Go to your Sandbox":"너의 샌드박스로 가기","Graph":"그래프","Green?":"초록색?","Grid":"그리드","Have complex questions or issues? We\'re here to help.":"복잡한 문제가 있나요? 여기에서 도와드리겠습니다.","Here are some Pro features you can now enjoy.":"이제 즐길 수 있는 Pro 기능들이 있습니다.","High-quality exports with embedded fonts":"내장된 글꼴로 고품질의 내보내기","History":"기록","Home":"집","How are edges declared in this data?":"이 데이터에서 간선은 어떻게 선언됩니까?","How do I cancel my subscription?":"구독을 어떻게 취소하나요?","How does AI flowchart generation work?":"AI 플로우차트 생성은 어떻게 작동하나요?","How would you like to save your chart?":"당신의 차트를 저장하려면 어떻게 하시겠습니까?","I would like to request a new template:":"새로운 템플릿을 요청하고 싶습니다:","ID\'s":"식별자","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"해당 이메일로 계정이 있다면 비밀번호 재설정을 위한 안내를 포함한 이메일을 보내드립니다.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"<0>Flowchart Fun을 사용하는 것을 즐기고 있다면, 프로젝트를 지원해 주시기 바랍니다.","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"만약 가장자리를 만들려면, 이 줄을 들여쓰기하십시오. 만약 그렇지 않다면, 콜론을 백슬래시로 이스케이프하십시오 <0>\\\\:","Images":"이미지","Import Data":"데이터 가져오기","Import data from a CSV file.":"CSV 파일에서 데이터를 가져옵니다.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"CSV 파일에서 데이터를 가져와 새로운 플로우 차트로 매핑합니다. 이것은 Lucidchart, Google Sheets, Visio 등의 다른 소스에서 데이터를 가져오는 데 좋은 방법입니다.","Import from CSV":"CSV로 가져오기","Import from Visio, Lucidchart, and CSV":"Visio, Lucidchart 및 CSV에서 가져오기","Import from popular diagram tools":"인기 있는 다이어그램 도구에서 가져오기","Import your diagram it into Microsoft Visio using one of these CSV files.":"이러한 CSV 파일 중 하나를 사용하여 다이어그램을 Microsoft Visio로 가져옵니다.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"데이터를 가져오는 것은 프로 기능입니다. Flowchart Fun Pro로 업그레이드하면 매월 $4에 이용할 수 있습니다.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"<0>title 속성을 사용하여 제목을 포함시키십시오. Visio 색상을 사용하려면 다음 중 하나와 같은 <1>roleType 속성을 추가하십시오:","Indent to connect nodes":"노드를 연결하기 위해 들여쓰기하세요.","Info":"정보","Is":"있다","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON 캔버스는 <0>Obsidian 캔버스 및 다른 응용 프로그램에서 사용되는 다이어그램의 JSON 표현입니다.","Join 2000+ professionals who\'ve upgraded their workflow":"워크플로우를 업그레이드한 2000명 이상의 전문가들과 함께하세요","Join thousands of happy users who love Flowchart Fun":"플로우 차트 어플을 사랑하는 수천 명의 행복한 사용자들과 함께하세요","Keep Things Private":"개인 정보 유지하기","Keep changes?":"변경 사항을 유지하시겠습니까?","Keep practicing":"계속 연습하세요","Keep your data private on your computer":"컴퓨터에서 데이터를 개인적으로 보호하기","Language":"언어","Layout":"레이아웃","Layout Algorithm":"레이아웃 알고리즘","Layout Frozen":"레이아웃 동결","Leading References":"주목할만한 참고","Learn More":"더 알아보기","Learn Syntax":"구문 배우기","Learn about Flowchart Fun Pro":"Flowchart Fun Pro에 대해 알아보기","Left to Right":"왼쪽에서 오른쪽으로","Let us know why you\'re canceling. We\'re always looking to improve.":"취소하는 이유를 알려주세요. 우리는 항상 개선하고 있습니다.","Light":"라이트","Light Mode":"라이트 모드","Link":"링크","Link back":"링크를 걸어 돌아가세요","Load":"로드","Load Chart":"로드 차트","Load File":"로드 파일","Load Files":"로드 파일","Load default content":"기본 내용 로드","Load from link?":"링크에서 불러오기?","Load layout and styles":"레이아웃과 스타일 로드","Local File Support":"로컬 파일 지원","Local saving for offline access":"오프라인 접속을 위한 로컬 저장 기능","Lock Zoom to Graph":"그래프에 룩 줌을 고정하다","Log In":"로그인","Log Out":"로그아웃","Log in to Save":"로그인하여 저장하기","Log in to upgrade your account":"계정 업그레이드를 위해 로그인","Make a One-Time Donation":"한 번 선물하기","Make publicly accessible":"공개적으로 액세스 가능하게 만들기","Manage Billing":"청구 관리","Map Data":"데이터 지도","Maximum width of text inside nodes":"노드 내부 텍스트의 최대 너비","Monthly":"월간","Multiple pointers on same line":"같은 줄에 여러 포인터","My dog ate my credit card!":"내 개가 내 신용 카드를 먹었어요!","Name Chart":"차트 이름","Name your chart":"차트 이름 지정","New":"신규","New Email":"새 이메일","Next charge":"다음 청구 금액","No Edges":"노드 없음","No Watermarks!":"물방울 없음!","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"아니오, Pro 플랜에는 사용 제한이 없습니다. 무제한 플로우차트 생성 및 AI 기능을 즐겨보세요. 이는 제한 없이 탐색하고 혁신할 수 있도록 해줍니다.","Node Border Style":"노드 경계 스타일","Node Colors":"노드 색상","Node ID":"노드 ID","Node ID, Classes, Attributes":"노드 ID, 클래스, 속성","Node Label":"노드 라벨","Node Shape":"노드 모양","Node Shapes":"노드 모양","Nodes":"노드","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"노드는 점선, 점점선 또는 이중 선으로 스타일링 할 수 있습니다. 또한 border_none을 사용하여 테두리를 제거할 수도 있습니다.","Not Empty":"비어 있지 않음","Now you\'re thinking with flowcharts!":"이제 플로우차트로 생각하고 있어요!","Office Hours":"근무 시간","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"가끔 마술 링크가 스팸 폴더에 도착할 수도 있습니다. 몇 분 후에도 보이지 않으면 거기를 확인하거나 새로운 링크를 요청하십시오.","One on One Support":"1:1 지원","One-on-One Support":"일대일 지원","Open Customer Portal":"고객 포털 열기","Operation canceled":"작업이 취소되었습니다.","Or maybe blue!":"아니면 파란색으로!","Organization Chart":"조직도","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"우리의 AI는 텍스트 프롬프트에서 다이어그램을 생성하여 수동 편집이나 AI 지원 조정이 가능하도록 합니다. 다른 사람들과 달리, 우리의 Pro 플랜은 무제한 AI 생성 및 편집을 제공하여 제한 없이 창작할 수 있도록 해줍니다.","Padding":"채우기","Page not found":"페이지를 찾을 수 없습니다.","Password":"비밀번호","Past Due":"연체","Paste a document to convert it":"문서를 붙여서 변환하세요","Paste your document or outline here to convert it into an organized flowchart.":"문서나 개요를 여기에 붙여넣어 조직화된 플로우차트로 변환하세요.","Pasted content detected. Convert to Flowchart Fun syntax?":"붙여넣은 내용이 감지되었습니다. Flowchart Fun 구문으로 변환하시겠습니까?","Perfect for docs and quick sharing":"문서 작성 및 빠른 공유에 완벽함","Permanent Charts are a Pro Feature":"영구 차트는 프로 기능입니다","Playbook":"플레이북","Pointer and container on same line":"같은 줄에 포인터와 컨테이너","Priority One-on-One Support":"우선순위 일대일 지원","Privacy Policy":"개인정보보호정책","Pro tip: Right-click any node to customize its shape and color":"팁: 노드를 우클릭하여 모양과 색상을 사용자 정의할 수 있습니다.","Processing Data":"데이터 처리","Processing...":"처리 중...","Prompt":"프롬프트","Public":"공용","Quick experimentation space that resets daily":"매일 초기화되는 빠른 실험 공간","Random":"무작위","Rapid Deployment Templates":"빠른 배포 템플릿","Rapid Templates":"급변화 템플릿","Raster Export (PNG, JPG)":"래스터 내보내기 (PNG, JPG)","Rate limit exceeded. Please try again later.":"요청 제한이 초과되었습니다. 나중에 다시 시도해주세요.","Read-only":"읽기 전용","Reference by Class":"클래스로 참조","Reference by ID":"ID로 참조","Reference by Label":"레이블로 참조","References":"참조","References are used to create edges between nodes that are created elsewhere in the document":"참조는 문서 내부에서 만들어진 노드 사이에 간선을 만들기 위해 사용됩니다.","Referencing a node by its exact label":"정확한 레이블로 노드를 참조하기","Referencing a node by its unique ID":"고유한 ID로 노드를 참조하기","Referencing multiple nodes with the same assigned class":"동일한 할당 된 클래스로 여러 노드를 참조하기 ","Refresh Page":"페이지 새로 고침 ","Reload to Update":"업데이트하려면 다시 로드하기 ","Rename":"이름 바꾸기","Request Magic Link":"마법 링크 요청","Request Password Reset":"비밀번호 재설정 요청","Reset":"재설정","Reset Password":"비밀번호 재설정","Resume Subscription":"구독 재개","Return":"반품","Right to Left":"오른쪽에서 왼쪽으로","Right-click nodes for options":"옵션을 위해 노드를 오른쪽 클릭하세요","Roadmap":"로드맵","Rotate Label":"라벨 회전","SVG Export is a Pro Feature":"SVG 내보내기는 프로 기능입니다","Satisfaction guaranteed or first payment refunded":"만족도 보장 또는 첫 번째 결제 환불","Save":"구하다","Save time with AI and dictation, making it easy to create diagrams.":"인공지능과 딕테이션을 통해 시간을 절약하고 쉽게 다이어그램을 작성할 수 있습니다.","Save to Cloud":"클라우드에 저장하기","Save to File":"파일에 저장하기","Save your Work":"작업 저장","Schedule personal consultation sessions":"개인 상담 세션 일정 잡기","Secure payment":"안전한 결제","See more reviews on Product Hunt":"Product Hunt에서 더 많은 리뷰를 확인하세요","Set a consistent height for all nodes":"모든 노드의 일관된 높이 설정하기","Settings":"설정","Share":"공유하기","Sign In":"로그인","Sign in with <0>GitHub":"<0>GitHub으로 로그인","Sign in with <0>Google":"<0>Google으로 로그인","Sorry! This page is only available in English.":"죄송합니다! 이 페이지는 영어로만 제공됩니다.","Sorry, there was an error converting the text to a flowchart. Try again later.":"죄송합니다, 텍스트를 플로우차트로 변환하는 중에 오류가 발생했습니다. 나중에 다시 시도해주세요.","Source Arrow Shape":"소스 화살표 모양","Source Column":"소스 열","Source Delimiter":"소스 구분자","Source Distance From Node":"노드에서 소스 거리","Source/Target Arrow Shape":"소스/대상 화살표 모양","Spacing":"간격","Special Attributes":"특별한 속성","Start":"시작","Start Over":"처음부터 다시 시작하기","Start faster with use-case specific templates":"사용 사례에 맞는 템플릿으로 더 빠르게 시작하기","Status":"상태","Step 1":"단계 1","Step 2":"단계 2","Step 3":"단계 3","Store any data associated to a node":"노드에 관련된 모든 데이터 저장하기","Style Classes":"스타일 클래스","Style with classes":"클래스로 스타일링","Submit":"보내다","Subscribe to Pro and flowchart the fun way!":"프로를 구독하고 재미있게 플로우차트 작성하기!","Subscription":"구독","Subscription Successful!":"구독 성공!","Subscription will end":"구독이 종료될 예정입니다.","Target Arrow Shape":"대상 화살표 모양","Target Column":"대상 열","Target Delimiter":"대상 구분자","Target Distance From Node":"노드로부터의 목표 거리","Text Color":"텍스트 색상","Text Horizontal Offset":"텍스트 수평 오프셋","Text Leading":"텍스트 리딩","Text Max Width":"텍스트 최대 너비","Text Vertical Offset":"텍스트 수직 오프셋","Text followed by colon+space creates an edge with the text as the label":"콜론 뒤에 공백이 따라오는 텍스트는 텍스트를 레이블로 하는 엣지를 만듭니다.","Text on a line creates a node with the text as the label":"한 줄에 있는 텍스트는 텍스트를 레이블로 하는 노드를 만듭니다.","Thank you for your feedback!":"피드백을 해주셔서 감사합니다!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"스타일을 변경하는 가장 좋은 방법은 노드 또는 엣지를 오른쪽 클릭하고 원하는 스타일을 선택하는 것입니다.","The column that contains the edge label(s)":"엣지 레이블이 포함된 열","The column that contains the source node ID(s)":"소스 노드 ID가 포함된 열","The column that contains the target node ID(s)":"타겟 노드 ID가 포함된 열","The delimiter used to separate multiple source nodes":"여러 개의 소스 노드를 구분하기 위해 사용되는 구분 기호","The delimiter used to separate multiple target nodes":"여러 개의 목표 노드를 구분하기 위해 사용되는 구분 기호","The possible shapes are:":"가능한 모양은 다음과 같습니다:","Theme":"테마","Theme Customization Editor":"테마 커스터마이즈 편집기","Theme Editor":"테마 편집기","There are no edges in this data":"이 데이터에는 엣지가 없습니다.","This action cannot be undone.":"이 작업은 취소할 수 없습니다.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"이 기능은 프로 사용자에게만 제공됩니다. <0>프로 사용자가 되어 이 기능을 사용할 수 있게 하세요.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"입력 길이에 따라 30초에서 2분 사이의 시간이 소요될 수 있습니다.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"이 모래상자는 실험하기에 완벽하지만 기억하세요 - 매일 초기화됩니다. 지금 업그레이드하고 현재 작업을 유지하세요!","This will replace the current content.":"이것은 현재 내용을 대체합니다.","This will replace your current chart content with the template content.":"이것은 템플릿 콘텐츠로 현재 차트 콘텐츠를 대체합니다.","This will replace your current sandbox.":"이것은 현재 샌드 박스를 대체합니다.","Time to decide":"결정할 시간","Tip":"팁","To fix this change one of the edge IDs":"이를 수정하려면, 가장자리 ID 중 하나를 변경하십시오.","To fix this change one of the node IDs":"이것을 수정하려면 노드 ID 중 하나를 변경하십시오","To fix this move one pointer to the next line":"이것을 수정하려면 포인터를 다음 줄로 이동하십시오","To fix this start the container <0/> on a different line":"이것을 수정하려면 컨테이너 <0/>을 다른 줄에 시작하십시오","To learn more about why we require you to log in, please read <0>this blog post.":"왜 로그인을 해야하는지 자세히 알아보려면 <0>이 블로그 글을 읽어보세요.","Top to Bottom":"위에서 아래로","Transform Your Ideas into Professional Diagrams in Seconds":"초 내에 전문 다이어그램으로 생각을 변형하세요.","Transform text into diagrams instantly":"텍스트를 즉시 다이어그램으로 변환하세요.","Trusted by Professionals and Academics":"전문가와 학술인들에게 신뢰받는다","Try AI":"AI 시도해보기","Try again":"다시 시도하세요","Turn your ideas into professional diagrams in seconds":"아이디어를 몇 초 만에 전문적인 다이어그램으로 변환하세요.","Two edges have the same ID":"두 개의 간선이 같은 ID를 가지고 있습니다","Two nodes have the same ID":"두 개의 노드가 같은 ID를 가지고 있습니다","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"이런, 무료 요청이 모두 소진되었습니다! 무제한 다이어그램 변환을 위해 Flowchart Fun Pro로 업그레이드하고 텍스트를 복사하여 쉽게 명확한 시각적 흐름도로 변환하세요.","Unescaped special character":"이스케이프되지 않은 특수 문자","Unique text value to identify a node":"노드를 식별하기 위한 고유한 텍스트 값","Unknown":"알 수 없음","Unknown Parsing Error":"알 수 없는 구문 분석 오류","Unlimited Flowcharts":"무제한 다이어그램","Unlimited Permanent Flowcharts":"무제한 영구 플로차트","Unlimited cloud-saved flowcharts":"무제한 클라우드 저장 플로우차트","Unlock AI Features and never lose your work with a Pro account.":"AI 기능 잠금 해제 및 프로 계정으로 작업을 절대 잃지 않습니다.","Unlock Unlimited AI Flowcharts":"무제한 AI 플로우차트 잠금 해제","Unpaid":"미납","Update Email":"이메일 업데이트","Upgrade Now - Save My Work":"지금 업그레이드 - 내 작업 저장","Upgrade to Flowchart Fun Pro and unlock:":"Flowchart Fun Pro로 업그레이드하고 다음을 잠금 해제하세요:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Flowchart Fun Pro로 업그레이드하여 SVG 내보내기를 잠금 해제하고 다이어그램에 대한 더 고급 기능을 즐기세요.","Upgrade to Pro":"프로로 업그레이드","Upgrade to Pro for $2/month":"프로로 업그레이드하면 매달 $2","Upload your File":"파일을 업로드하세요.","Use Custom CSS Only":"사용자 정의 CSS만 사용","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"Lucidchart나 Visio를 사용하고 계신가요? CSV 가져오기를 통해 모든 소스에서 데이터를 쉽게 가져올 수 있습니다!","Use classes to group nodes":"노드를 그룹화하기 위해 클래스를 사용하십시오.","Use the attribute <0>href to set a link on a node that opens in a new tab.":"새 탭에서 링크를 설정하기 위해 속성 <0>href을 사용하십시오.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"노드의 이미지를 설정하려면 <0>src 속성을 사용하세요. 이미지는 노드에 맞게 크기가 조정되므로 노드의 너비와 높이를 조절해야 할 수도 있습니다. CORS로 차단되지 않은 공개 이미지만 지원됩니다.","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"노드의 너비와 높이를 명시적으로 설정하려면 <0>w 및 <1>h 속성을 사용하세요.","Use the customer portal to change your billing information.":"청구 정보를 변경하려면 고객 포털을 사용하십시오.","Use these settings to adapt the look and behavior of your flowcharts":"이 설정을 사용하여 흐름 도표의 모양과 동작을 조정하십시오","Use this file for org charts, hierarchies, and other organizational structures.":"조직도, 계층 구조 및 기타 조직 구조를 위해 이 파일을 사용하십시오.","Use this file for sequences, processes, and workflows.":"시퀀스, 프로세스 및 워크플로우에 대해 이 파일을 사용하십시오.","Use this mode to modify and enhance your current chart.":"현재 차트를 수정하고 개선하는 데 이 모드를 사용하세요.","User":"사용자","Vector Export (SVG)":"벡터 내보내기 (SVG)","View on Github":"Github에서 보기","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"문서에서 플로우차트를 만들고 싶으세요? 편집기에 붙여넣고 \'플로우차트로 변환\'을 클릭하세요.","Watermark-Free Diagrams":"워터마크 없는 다이어그램","Watermarks":"물감","Welcome to Flowchart Fun":"Flowchart Fun에 오신 것을 환영합니다","What our users are saying":"우리 사용자들의 이야기","What\'s next?":"다음은 무엇인가요?","What\'s this?":"이것이 무엇인가요?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"무료 체험판은 제공하지 않지만, 우리의 가격 책정은 특히 학생과 교육자들을 위해 가능한 접근성 있게 설계되었습니다. 매달 $4로 모든 기능을 탐색하고 당신에게 적합한지 결정할 수 있습니다. 구독하고 시도해보고 필요할 때마다 다시 구독하세요.","Width":"너비","Width and Height":"너비와 높이","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"Flowchart Fun의 Pro 버전을 사용하면 자연어 명령을 사용하여 흐름도 세부 정보를 빠르게 완성할 수 있으며, 이동 중에 다이어그램을 만드는 데 이상적입니다. 매월 $4로 접근 가능한 AI 편집의 편리함을 느껴보세요.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"프로 버전으로는 로컬 파일을 저장하고 불러올 수 있습니다. 오프라인에서 작업 관련 문서를 관리하는 데 최적입니다.","Would you like to continue?":"계속하시겠습니까?","Would you like to suggest a new example?":"새로운 예시를 제안하시겠습니까?","Wrap text in parentheses to connect to any node":"괄호 안에 텍스트를 감싸서 어떤 노드에 연결하세요","Write like an outline":"아웃라인처럼 작성하세요","Write your prompt here or click to enable the microphone, then press and hold to record.":"여기에 프롬프트를 작성하거나 마이크를 활성화하려면 클릭한 다음 눌러서 녹음하세요.","Yearly":"연간","Yes, Replace Content":"예, 콘텐츠 대체하기","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"네, 비영리 단체에게 특별 할인을 지원합니다. 비영리 단체 승인을 함께 연락하시면 당신의 조직을 어떻게 돕는지에 대해 더 알아보세요.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"네, 클라우드 플로우차트는 로그인한 경우에만 접근할 수 있습니다. 또한 로컬로 파일을 저장하고 불러올 수 있어서 오프라인에서 민감한 업무 문서를 관리하기에 완벽합니다.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["그래프에 ",["numNodes"],"개의 노드와 ",["numEdges"],"개의 간선을 추가하려고 합니다."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"<0>Flowchart Fun Pro으로 무제한 영구적인 플로차트를 만들 수 있습니다.","You need to log in to access this page.":"페이지에 접근하려면 로그인해야합니다.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"이미 프로 사용자입니다. <0>구독 관리<1/>질문이나 기능 요청이 있으신가요? <2>문의하기","You\'re doing great!":"잘하고 있어요!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"모든 무료 AI 변환을 사용하셨습니다. 무제한 AI 사용, 사용자 정의 테마, 개인 공유 등을 위해 Pro로 업그레이드하세요. 쉽게 멋진 플로우차트를 만들어 나가세요!","Your Charts":"당신의 차트","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"당신의 샌드박스는 우리의 플로우차트 도구로 자유롭게 실험할 수 있는 공간으로, 매일 새로운 시작을 위해 재설정됩니다.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"당신의 차트는 계정이 더 이상 활성화되지 않았기 때문에 읽기 전용입니다. <0>계정 페이지를 방문하여 자세한 내용을 알아보세요.","Your subscription is <0>{statusDisplay}.":["귀하의 구독 상태는 <0>",["statusDisplay"],"입니다."],"Zoom In":"확대","Zoom Out":"축소하기","month":"월","or":"또는","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' + '{"1 Temporary Flowchart":"1 임시 플로차트","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>사용자 정의 CSS만이 활성화되었습니다. 레이아웃과 고급 설정만 적용됩니다.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun은 <1>Tone Row가 만든 오픈 소스 프로젝트입니다.","<0>Sign In / <1>Sign Up with email and password":"<0>로그인 / <1>회원가입 이메일과 비밀번호로","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>현재 당신은 무료 계정을 가지고 있습니다. <1/><2>프로 기능에 대해 알아보고 우리 가격 페이지에서 구독하세요.","A new version of the app is available. Please reload to update.":"새로운 버전의 앱이 사용 가능합니다. 업데이트하려면 다시로드하십시오.","AI Creation & Editing":"AI 생성 및 편집","AI-Powered Flowchart Creation":"인공지능 기반 플로우차트 생성","AI-powered editing to supercharge your workflow":"워크플로우를 강화하기 위한 AI 기반 편집 기능","About":"소개","Account":"계정","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"특수 문자 앞에는 역슬래시 (<0>\\\\)를 추가하세요: <1>(, <2>:, <3>#, 또는 <4>.","Add some steps":"몇 가지 단계를 추가하세요.","Advanced":"고급","Align Horizontally":"수평 정렬","Align Nodes":"노드 정렬하기","Align Vertically":"수직 정렬","All this for just $4/month - less than your daily coffee ☕":"하루 커피 값보다 저렴한 월 $4로 이 모든 것을 이용하세요 ☕","Amount":"금액","An error occurred. Try resubmitting or email {0} directly.":["오류가 발생하였습니다. 다시 제출하거나 ",["0"],"으로 직접 이메일을 보내주십시오."],"Appearance":"외관","Are my flowcharts private?":"내 플로우차트는 비공개 상태인가요?","Are there usage limits?":"사용 제한 사항이 있나요?","Are you sure you want to delete the flowchart \\"{0}\\"? This action cannot be undone.":"플로우차트를 삭제하시겠습니까?","Are you sure you want to delete the folder \\"{0}\\" and all its contents? This action cannot be undone.":"폴더를 삭제하시겠습니까?","Are you sure you want to delete the folder \\"{0}\\"? This action cannot be undone.":"폴더를 복제하시겠습니까?","Are you sure?":"확실합니까?","Arrow Size":"화살표 크기","Attributes":"속성","August 2023":"2023년 8월","Back":"뒤로","Back To Editor":"편집기로 돌아가기","Background Color":"배경색","Basic Flowchart":"기본 플로우 차트","Become a Github Sponsor":"깃허브 스폰서가 되기","Become a Pro User":"프로 사용자가 되기","Begin your journey":"여정을 시작하세요.","Billed annually at $24":"매년 $24로 청구됩니다","Billed monthly at $4":"매달 $4에 청구됩니다.","Blog":"블로그","Book a Meeting":"미팅 예약","Border Color":"테두리 색","Border Width":"테두리 너비","Bottom to Top":"아래에서 위로","Breadthfirst":"폭 우선","Build your personal flowchart library":"개인용 플로우차트 라이브러리 만들기","Cancel":"취소","Cancel anytime":"언제든 취소 가능","Cancel your subscription. Your hosted charts will become read-only.":"구독을 취소하십시오. 귀하의 호스트 차트가 읽기 전용이 됩니다.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"취소는 간단합니다. 계정 페이지로 이동하고 맨 아래로 스크롤한 다음 취소 버튼을 클릭하세요. 만족하지 않으시면 첫 번째 결제 금액에 대해 환불해 드립니다.","Certain attributes can be used to customize the appearance or functionality of elements.":"일부 속성은 요소의 모양 또는 기능을 사용자 정의하기 위해 사용할 수 있습니다.","Change Email Address":"이메일 주소 변경","Changelog":"변경 로그","Charts":"차트","Check out the guide:":"가이드를 확인하세요:","Check your email for a link to log in.<0/>You can close this window.":"로그인할 링크가 들어있는 이메일을 확인하세요. 이 창은 닫을 수 있습니다.","Choose":"선택하세요","Choose Template":"템플릿 선택","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"에지의 소스와 목적지를 위한 다양한 화살표 모양을 선택합니다. 모양에는 삼각형, 삼각형-티, 원-삼각형, 삼각형-가위형, 삼각형-뒤곡선, 베이, 티, 사각형, 원, 다이아몬드, 쉐브론, 없음이 포함됩니다.","Choose how edges connect between nodes":"노드 간 연결 방식 선택","Choose how nodes are automatically arranged in your flowchart":"플로우차트에서 노드가 자동으로 정렬되는 방식을 선택하세요.","Circle":"원","Classes":"클래스","Clear":"지우다","Clear text?":"텍스트를 지우시겠습니까?","Clone":"클론","Clone Flowchart":"플로우차트 복제","Close":"닫기","Color":"색상","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"색상에는 빨강, 주황, 노랑, 파랑, 보라, 검정, 흰색, 회색이 포함됩니다.","Column":"열","Comment":"댓글 달기","Compare our plans and find the perfect fit for your flowcharting needs":"우리의 요금제를 비교하고 당신의 플로우차트 작성 요구에 맞는 완벽한 선택을 찾으세요","Concentric":"동심","Confirm New Email":"새 이메일 확인","Confirm your email address to sign in.":"로그인하려면 이메일 주소를 확인하세요.","Connect your Data":"데이터 연결","Containers":"컨테이너","Containers are nodes that contain other nodes. They are declared using curly braces.":"컨테이너는 다른 노드를 포함하는 노드입니다. 중괄호를 사용하여 선언됩니다.","Continue":"계속하기","Continue in Sandbox (Resets daily, work not saved)":"샌드박스에서 계속하기 (매일 초기화되며 작업은 저장되지 않음)","Controls the flow direction of hierarchical layouts":"계층적 레이아웃의 흐름 방향을 제어합니다.","Convert":"변환하기","Convert to Flowchart":"흐름도로 변환","Convert to hosted chart?":"호스팅 차트로 변환하시겠습니까?","Cookie Policy":"쿠키 정책","Copied SVG code to clipboard":"클립보드에 SVG 코드 복사","Copied {format} to clipboard":["클립보드에 ",["format"]," 복사"],"Copy":"복사","Copy PNG Image":"PNG 이미지 복사","Copy SVG Code":"SVG 코드 복사","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Excalidraw 코드를 복사해서 <0>excalidraw.com에 붙여넣어서 편집하세요. 이 기능은 실험적이며 모든 다이어그램과 작동하지 않을 수 있습니다. 버그를 발견하면 <1>알려주세요.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"mermaid.js 코드를 복사하거나 mermaid.js 라이브 편집기에서 직접 열어주세요.","Create":"만들기","Create Flowcharts using AI":"AI를 사용하여 플로차트를 만들어보세요","Create Unlimited Flowcharts":"무제한 플로차트 만들기","Create a New Chart":"새 차트 만들기","Create a flowchart showing the steps of planning and executing a school fundraising event":"학교 모금 행사를 계획하고 실행하는 단계를 보여주는 플로우차트를 작성하십시오.","Create a new flowchart to get started or organize your work with folders.":"새로운 플로우차트를 만들어 시작하거나 폴더로 작업을 정리하세요.","Create flowcharts instantly: Type or paste text, see it visualized.":"즉시 플로우차트 생성: 텍스트를 입력하거나 붙여넣고 시각화해보세요.","Create unlimited diagrams for just $4/month!":"매달 $4로 무제한 다이어그램을 생성하세요!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"클라우드에 저장된 무한 플로우 차트 생성 - 어디서나 액세스 가능!","Create with AI":"AI로 만들기","Created Date":"생성일자","Creating an edge between two nodes is done by indenting the second node below the first":"두 노드 사이에 엣지를 만드는 것은 첫 번째 노드 아래에 두 번째 노드를 들여 쓰는 것으로 합니다.","Curve Style":"곡선 스타일","Custom CSS":"사용자 정의 CSS","Custom Sharing Options":"커스텀 공유 옵션","Customer Portal":"고객 포털","Daily Sandbox Editor":"매일 샌드박스 편집기","Dark":"다크","Dark Mode":"다크 모드","Data Import (Visio, Lucidchart, CSV)":"데이터 가져오기 (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"복잡한 다이어그램을 위한 데이터 가져오기 기능","Date":"날짜","Delete":"삭제","Delete {0}":[["0"]," 삭제"],"Design a software development lifecycle flowchart for an agile team":"애자일 팀을 위한 소프트웨어 개발 라이프사이클 플로우차트를 디자인하십시오.","Develop a decision tree for a CEO to evaluate potential new market opportunities":"CEO가 잠재적인 새 시장 기회를 평가하기 위해 사용할 수 있는 의사결정 트리를 개발하십시오.","Direction":"방향","Dismiss":"해지","Do you have a free trial?":"무료 체험 기간이 있나요?","Do you offer a non-profit discount?":"비영리 단체 할인을 제공하나요?","Do you want to delete this?":"본 항목을 삭제하시겠습니까?","Document":"문서","Don\'t Lose Your Work":"당신의 작업을 잃지 마세요","Download":"다운로드","Download JPG":"JPG 다운로드","Download PNG":"PNG 다운로드","Download SVG":"SVG 다운로드","Drag and drop a CSV file here, or click to select a file":"CSV 파일을 여기에 드래그 앤 드롭하거나 파일을 선택하려면 클릭하세요.","Draw an edge from multiple nodes by beginning the line with a reference":"참조를 시작하여 여러 노드로부터 엣지를 그립니다.","Drop the file here ...":"파일을 여기에 드롭하세요 ...","Each line becomes a node":"각 줄은 노드가 됩니다.","Edge ID, Classes, Attributes":"가장자리 ID, 클래스, 속성","Edge Label":"가장자리 라벨","Edge Label Column":"가장자리 라벨 열","Edge Style":"가장자리 스타일","Edge Text Size":"가장자리 텍스트 크기","Edge missing indentation":"들여쓰기가 누락된 가장자리","Edges":"가장자리","Edges are declared in the same row as their source node":"가장자리는 소스 노드가 있는 같은 행에 선언됩니다.","Edges are declared in the same row as their target node":"가장자리는 목표 노드가 있는 같은 행에 선언됩니다.","Edges are declared in their own row":"가장자리는 자신의 행에 선언됩니다.","Edges can also have ID\'s, classes, and attributes before the label":"라벨 앞에 ID, 클래스 및 속성도 가질 수 있습니다.","Edges can be styled with dashed, dotted, or solid lines":"가장자리는 점선, 점선 또는 실선으로 스타일이 지정될 수 있습니다.","Edges in Separate Rows":"각 행별로 간선","Edges in Source Node Row":"출발 노드 행에 간선","Edges in Target Node Row":"도착 노드 행에 간선","Edit":"편집하기","Edit with AI":"AI로 편집하기","Editable":"편집 가능","Editor":"에디터","Email":"이메일","Empty":"비어 있음","Enable to set a consistent height for all nodes":"모든 노드의 일관된 높이 설정 가능","Enter a name for the cloned flowchart.":"복제된 플로우차트의 이름을 입력하세요.","Enter a name for the new folder.":"새 폴더의 이름을 입력하세요.","Enter a new name for the {0}.":[["0"],"의 새 이름을 입력하세요."],"Enter your email address and we\'ll send you a magic link to sign in.":"이메일 주소를 입력하면 자동으로 로그인할 수 있는 링크를 보내드립니다.","Enter your email address below and we\'ll send you a link to reset your password.":"아래에 이메일 주소를 입력하면 비밀번호 재설정을 위한 링크를 보내드립니다.","Equal To":"같음","Everything you need to know about Flowchart Fun Pro":"Flowchart Fun Pro에 대해 알아야 할 모든 것","Examples":"예시","Excalidraw":"Excalidraw","Exclusive Office Hours":"독점 오피스 시간","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"로컬 파일을 직접 플로우차트에 로드하여 효율성과 보안성을 경험해보세요. 오프라인에서 업무 관련 문서를 관리하기에 완벽한 기능입니다. Flowchart Fun Pro를 구독하면 이 독점적인 프로 기능과 더 많은 기능을 이용할 수 있습니다. 매달 $4로 이용 가능합니다.","Explore more":"더 탐험하세요.","Export":"내보내기","Export clean diagrams without branding":"브랜딩 없이 깔끔한 다이어그램 내보내기","Export to PNG & JPG":"PNG 및 JPG로 내보내기","Export to PNG, JPG, and SVG":"PNG, JPG 및 SVG로 내보내기","Feature Breakdown":"기능 분해","Feedback":"피드백","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"우리에게 연락하고 자유롭게 탐색하시고 <0>피드백 페이지를 통해 의견을 제시하실 수 있습니다.","Fine-tune layouts and visual styles":"레이아웃과 시각적 스타일을 세밀하게 조정하기","Fixed Height":"고정 높이","Fixed Node Height":"고정된 노드 높이","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Flowchart Fun Pro는 매달 $4로 무제한 플로우차트, 무제한 공동 작업자 및 무제한 저장 공간을 제공합니다.","Follow Us on Twitter":"트위터에서 우리를 팔로우하기","Font Family":"글꼴 가족","Forgot your password?":"비밀번호를 잊으셨나요?","Found a bug? Have a feature request? We would love to hear from you!":"버그를 발견했습니까? 기능 요청이 있습니까? 우리는 당신과의 소통을 사랑합니다!","Free":"무료","Frequently Asked Questions":"자주 묻는 질문들","Full-screen, read-only, and template sharing":"전체 화면, 읽기 전용, 그리고 템플릿 공유","Fullscreen":"전체 화면","General":"일반","Generate flowcharts from text automatically":"텍스트로부터 자동으로 플로우차트 생성하기","Get Pro Access Now":"지금 프로 액세스 받기","Get Unlimited AI Requests":"무제한 AI 요청 받기","Get rapid responses to your questions":"귀하의 질문에 신속한 답변 받기","Get unlimited flowcharts and premium features":"무제한 플로우차트 및 프리미엄 기능 이용하기","Go back home":"집으로 돌아가기","Go to the Editor":"편집기로 가기","Go to your Sandbox":"너의 샌드박스로 가기","Graph":"그래프","Green?":"초록색?","Grid":"그리드","Have complex questions or issues? We\'re here to help.":"복잡한 문제가 있나요? 여기에서 도와드리겠습니다.","Here are some Pro features you can now enjoy.":"이제 즐길 수 있는 Pro 기능들이 있습니다.","High-quality exports with embedded fonts":"내장된 글꼴로 고품질의 내보내기","History":"기록","Home":"집","How are edges declared in this data?":"이 데이터에서 간선은 어떻게 선언됩니까?","How do I cancel my subscription?":"구독을 어떻게 취소하나요?","How does AI flowchart generation work?":"AI 플로우차트 생성은 어떻게 작동하나요?","How would you like to save your chart?":"당신의 차트를 저장하려면 어떻게 하시겠습니까?","I would like to request a new template:":"새로운 템플릿을 요청하고 싶습니다:","ID\'s":"식별자","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"해당 이메일로 계정이 있다면 비밀번호 재설정을 위한 안내를 포함한 이메일을 보내드립니다.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"<0>Flowchart Fun을 사용하는 것을 즐기고 있다면, 프로젝트를 지원해 주시기 바랍니다.","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"만약 가장자리를 만들려면, 이 줄을 들여쓰기하십시오. 만약 그렇지 않다면, 콜론을 백슬래시로 이스케이프하십시오 <0>\\\\:","Images":"이미지","Import Data":"데이터 가져오기","Import data from a CSV file.":"CSV 파일에서 데이터를 가져옵니다.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"CSV 파일에서 데이터를 가져와 새로운 플로우 차트로 매핑합니다. 이것은 Lucidchart, Google Sheets, Visio 등의 다른 소스에서 데이터를 가져오는 데 좋은 방법입니다.","Import from CSV":"CSV로 가져오기","Import from Visio, Lucidchart, and CSV":"Visio, Lucidchart 및 CSV에서 가져오기","Import from popular diagram tools":"인기 있는 다이어그램 도구에서 가져오기","Import your diagram it into Microsoft Visio using one of these CSV files.":"이러한 CSV 파일 중 하나를 사용하여 다이어그램을 Microsoft Visio로 가져옵니다.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"데이터를 가져오는 것은 프로 기능입니다. Flowchart Fun Pro로 업그레이드하면 매월 $4에 이용할 수 있습니다.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"<0>title 속성을 사용하여 제목을 포함시키십시오. Visio 색상을 사용하려면 다음 중 하나와 같은 <1>roleType 속성을 추가하십시오:","Indent to connect nodes":"노드를 연결하기 위해 들여쓰기하세요.","Info":"정보","Is":"있다","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON 캔버스는 <0>Obsidian 캔버스 및 다른 응용 프로그램에서 사용되는 다이어그램의 JSON 표현입니다.","Join 2000+ professionals who\'ve upgraded their workflow":"워크플로우를 업그레이드한 2000명 이상의 전문가들과 함께하세요","Join thousands of happy users who love Flowchart Fun":"플로우 차트 어플을 사랑하는 수천 명의 행복한 사용자들과 함께하세요","Keep Things Private":"개인 정보 유지하기","Keep changes?":"변경 사항을 유지하시겠습니까?","Keep practicing":"계속 연습하세요","Keep your data private on your computer":"컴퓨터에서 데이터를 개인적으로 보호하기","Language":"언어","Layout":"레이아웃","Layout Algorithm":"레이아웃 알고리즘","Layout Frozen":"레이아웃 동결","Leading References":"주목할만한 참고","Learn More":"더 알아보기","Learn Syntax":"구문 배우기","Learn about Flowchart Fun Pro":"Flowchart Fun Pro에 대해 알아보기","Left to Right":"왼쪽에서 오른쪽으로","Let us know why you\'re canceling. We\'re always looking to improve.":"취소하는 이유를 알려주세요. 우리는 항상 개선하고 있습니다.","Light":"라이트","Light Mode":"라이트 모드","Link":"링크","Link back":"링크를 걸어 돌아가세요","Load":"로드","Load Chart":"로드 차트","Load File":"로드 파일","Load Files":"로드 파일","Load default content":"기본 내용 로드","Load from link?":"링크에서 불러오기?","Load layout and styles":"레이아웃과 스타일 로드","Loading...":"로딩 중...","Local File Support":"로컬 파일 지원","Local saving for offline access":"오프라인 접속을 위한 로컬 저장 기능","Lock Zoom to Graph":"그래프에 룩 줌을 고정하다","Log In":"로그인","Log Out":"로그아웃","Log in to Save":"로그인하여 저장하기","Log in to upgrade your account":"계정 업그레이드를 위해 로그인","Make a One-Time Donation":"한 번 선물하기","Make publicly accessible":"공개적으로 액세스 가능하게 만들기","Manage Billing":"청구 관리","Map Data":"데이터 지도","Maximum width of text inside nodes":"노드 내부 텍스트의 최대 너비","Monthly":"월간","Move":"이동","Move {0}":["이동 ",["0"]],"Multiple pointers on same line":"같은 줄에 여러 포인터","My dog ate my credit card!":"내 개가 내 신용 카드를 먹었어요!","Name":"이름","Name Chart":"차트 이름","Name your chart":"차트 이름 지정","New":"신규","New Email":"새 이메일","New Flowchart":"새 플로우차트","New Folder":"새 폴더","Next charge":"다음 청구 금액","No Edges":"노드 없음","No Folder (Root)":"폴더 없음 (루트)","No Watermarks!":"물방울 없음!","No charts yet":"아직 차트가 없습니다","No items in this folder":"이 폴더에 항목이 없습니다","No matching charts found":"일치하는 차트를 찾을 수 없습니다","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"아니오, Pro 플랜에는 사용 제한이 없습니다. 무제한 플로우차트 생성 및 AI 기능을 즐겨보세요. 이는 제한 없이 탐색하고 혁신할 수 있도록 해줍니다.","Node Border Style":"노드 경계 스타일","Node Colors":"노드 색상","Node ID":"노드 ID","Node ID, Classes, Attributes":"노드 ID, 클래스, 속성","Node Label":"노드 라벨","Node Shape":"노드 모양","Node Shapes":"노드 모양","Nodes":"노드","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"노드는 점선, 점점선 또는 이중 선으로 스타일링 할 수 있습니다. 또한 border_none을 사용하여 테두리를 제거할 수도 있습니다.","Not Empty":"비어 있지 않음","Now you\'re thinking with flowcharts!":"이제 플로우차트로 생각하고 있어요!","Office Hours":"근무 시간","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"가끔 마술 링크가 스팸 폴더에 도착할 수도 있습니다. 몇 분 후에도 보이지 않으면 거기를 확인하거나 새로운 링크를 요청하십시오.","One on One Support":"1:1 지원","One-on-One Support":"일대일 지원","Open Customer Portal":"고객 포털 열기","Operation canceled":"작업이 취소되었습니다.","Or maybe blue!":"아니면 파란색으로!","Organization Chart":"조직도","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"우리의 AI는 텍스트 프롬프트에서 다이어그램을 생성하여 수동 편집이나 AI 지원 조정이 가능하도록 합니다. 다른 사람들과 달리, 우리의 Pro 플랜은 무제한 AI 생성 및 편집을 제공하여 제한 없이 창작할 수 있도록 해줍니다.","Padding":"채우기","Page not found":"페이지를 찾을 수 없습니다.","Password":"비밀번호","Past Due":"연체","Paste a document to convert it":"문서를 붙여서 변환하세요","Paste your document or outline here to convert it into an organized flowchart.":"문서나 개요를 여기에 붙여넣어 조직화된 플로우차트로 변환하세요.","Pasted content detected. Convert to Flowchart Fun syntax?":"붙여넣은 내용이 감지되었습니다. Flowchart Fun 구문으로 변환하시겠습니까?","Perfect for docs and quick sharing":"문서 작성 및 빠른 공유에 완벽함","Permanent Charts are a Pro Feature":"영구 차트는 프로 기능입니다","Playbook":"플레이북","Pointer and container on same line":"같은 줄에 포인터와 컨테이너","Priority One-on-One Support":"우선순위 일대일 지원","Privacy Policy":"개인정보보호정책","Pro tip: Right-click any node to customize its shape and color":"팁: 노드를 우클릭하여 모양과 색상을 사용자 정의할 수 있습니다.","Processing Data":"데이터 처리","Processing...":"처리 중...","Prompt":"프롬프트","Public":"공용","Quick experimentation space that resets daily":"매일 초기화되는 빠른 실험 공간","Random":"무작위","Rapid Deployment Templates":"빠른 배포 템플릿","Rapid Templates":"급변화 템플릿","Raster Export (PNG, JPG)":"래스터 내보내기 (PNG, JPG)","Rate limit exceeded. Please try again later.":"요청 제한이 초과되었습니다. 나중에 다시 시도해주세요.","Read-only":"읽기 전용","Reference by Class":"클래스로 참조","Reference by ID":"ID로 참조","Reference by Label":"레이블로 참조","References":"참조","References are used to create edges between nodes that are created elsewhere in the document":"참조는 문서 내부에서 만들어진 노드 사이에 간선을 만들기 위해 사용됩니다.","Referencing a node by its exact label":"정확한 레이블로 노드를 참조하기","Referencing a node by its unique ID":"고유한 ID로 노드를 참조하기","Referencing multiple nodes with the same assigned class":"동일한 할당 된 클래스로 여러 노드를 참조하기 ","Refresh Page":"페이지 새로 고침 ","Reload to Update":"업데이트하려면 다시 로드하기 ","Rename":"이름 바꾸기","Rename {0}":[["0"],"의 이름 바꾸기"],"Request Magic Link":"마법 링크 요청","Request Password Reset":"비밀번호 재설정 요청","Reset":"재설정","Reset Password":"비밀번호 재설정","Resume Subscription":"구독 재개","Return":"반품","Right to Left":"오른쪽에서 왼쪽으로","Right-click nodes for options":"옵션을 위해 노드를 오른쪽 클릭하세요","Roadmap":"로드맵","Rotate Label":"라벨 회전","SVG Export is a Pro Feature":"SVG 내보내기는 프로 기능입니다","Satisfaction guaranteed or first payment refunded":"만족도 보장 또는 첫 번째 결제 환불","Save":"구하다","Save time with AI and dictation, making it easy to create diagrams.":"인공지능과 딕테이션을 통해 시간을 절약하고 쉽게 다이어그램을 작성할 수 있습니다.","Save to Cloud":"클라우드에 저장하기","Save to File":"파일에 저장하기","Save your Work":"작업 저장","Schedule personal consultation sessions":"개인 상담 세션 일정 잡기","Secure payment":"안전한 결제","See more reviews on Product Hunt":"Product Hunt에서 더 많은 리뷰를 확인하세요","Select a destination folder for \\"{0}\\".":"\\\\에 대한 대상 폴더 선택","Set a consistent height for all nodes":"모든 노드의 일관된 높이 설정하기","Settings":"설정","Share":"공유하기","Sign In":"로그인","Sign in with <0>GitHub":"<0>GitHub으로 로그인","Sign in with <0>Google":"<0>Google으로 로그인","Sorry! This page is only available in English.":"죄송합니다! 이 페이지는 영어로만 제공됩니다.","Sorry, there was an error converting the text to a flowchart. Try again later.":"죄송합니다, 텍스트를 플로우차트로 변환하는 중에 오류가 발생했습니다. 나중에 다시 시도해주세요.","Sort Ascending":"오름차순 정렬하기","Sort Descending":"내림차순 정렬","Sort by {0}":[["0"],"로 정렬"],"Source Arrow Shape":"소스 화살표 모양","Source Column":"소스 열","Source Delimiter":"소스 구분자","Source Distance From Node":"노드에서 소스 거리","Source/Target Arrow Shape":"소스/대상 화살표 모양","Spacing":"간격","Special Attributes":"특별한 속성","Start":"시작","Start Over":"처음부터 다시 시작하기","Start faster with use-case specific templates":"사용 사례에 맞는 템플릿으로 더 빠르게 시작하기","Status":"상태","Step 1":"단계 1","Step 2":"단계 2","Step 3":"단계 3","Store any data associated to a node":"노드에 관련된 모든 데이터 저장하기","Style Classes":"스타일 클래스","Style with classes":"클래스로 스타일링","Submit":"보내다","Subscribe to Pro and flowchart the fun way!":"프로를 구독하고 재미있게 플로우차트 작성하기!","Subscription":"구독","Subscription Successful!":"구독 성공!","Subscription will end":"구독이 종료될 예정입니다.","Target Arrow Shape":"대상 화살표 모양","Target Column":"대상 열","Target Delimiter":"대상 구분자","Target Distance From Node":"노드로부터의 목표 거리","Text Color":"텍스트 색상","Text Horizontal Offset":"텍스트 수평 오프셋","Text Leading":"텍스트 리딩","Text Max Width":"텍스트 최대 너비","Text Vertical Offset":"텍스트 수직 오프셋","Text followed by colon+space creates an edge with the text as the label":"콜론 뒤에 공백이 따라오는 텍스트는 텍스트를 레이블로 하는 엣지를 만듭니다.","Text on a line creates a node with the text as the label":"한 줄에 있는 텍스트는 텍스트를 레이블로 하는 노드를 만듭니다.","Thank you for your feedback!":"피드백을 해주셔서 감사합니다!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"스타일을 변경하는 가장 좋은 방법은 노드 또는 엣지를 오른쪽 클릭하고 원하는 스타일을 선택하는 것입니다.","The column that contains the edge label(s)":"엣지 레이블이 포함된 열","The column that contains the source node ID(s)":"소스 노드 ID가 포함된 열","The column that contains the target node ID(s)":"타겟 노드 ID가 포함된 열","The delimiter used to separate multiple source nodes":"여러 개의 소스 노드를 구분하기 위해 사용되는 구분 기호","The delimiter used to separate multiple target nodes":"여러 개의 목표 노드를 구분하기 위해 사용되는 구분 기호","The possible shapes are:":"가능한 모양은 다음과 같습니다:","Theme":"테마","Theme Customization Editor":"테마 커스터마이즈 편집기","Theme Editor":"테마 편집기","There are no edges in this data":"이 데이터에는 엣지가 없습니다.","This action cannot be undone.":"이 작업은 취소할 수 없습니다.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"이 기능은 프로 사용자에게만 제공됩니다. <0>프로 사용자가 되어 이 기능을 사용할 수 있게 하세요.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"입력 길이에 따라 30초에서 2분 사이의 시간이 소요될 수 있습니다.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"이 모래상자는 실험하기에 완벽하지만 기억하세요 - 매일 초기화됩니다. 지금 업그레이드하고 현재 작업을 유지하세요!","This will replace the current content.":"이것은 현재 내용을 대체합니다.","This will replace your current chart content with the template content.":"이것은 템플릿 콘텐츠로 현재 차트 콘텐츠를 대체합니다.","This will replace your current sandbox.":"이것은 현재 샌드 박스를 대체합니다.","Time to decide":"결정할 시간","Tip":"팁","To fix this change one of the edge IDs":"이를 수정하려면, 가장자리 ID 중 하나를 변경하십시오.","To fix this change one of the node IDs":"이것을 수정하려면 노드 ID 중 하나를 변경하십시오","To fix this move one pointer to the next line":"이것을 수정하려면 포인터를 다음 줄로 이동하십시오","To fix this start the container <0/> on a different line":"이것을 수정하려면 컨테이너 <0/>을 다른 줄에 시작하십시오","To learn more about why we require you to log in, please read <0>this blog post.":"왜 로그인을 해야하는지 자세히 알아보려면 <0>이 블로그 글을 읽어보세요.","Top to Bottom":"위에서 아래로","Transform Your Ideas into Professional Diagrams in Seconds":"초 내에 전문 다이어그램으로 생각을 변형하세요.","Transform text into diagrams instantly":"텍스트를 즉시 다이어그램으로 변환하세요.","Trusted by Professionals and Academics":"전문가와 학술인들에게 신뢰받는다","Try AI":"AI 시도해보기","Try adjusting your search or filters to find what you\'re looking for.":"검색 또는 필터를 조정하여 원하는 내용을 찾아보세요.","Try again":"다시 시도하세요","Turn your ideas into professional diagrams in seconds":"아이디어를 몇 초 만에 전문적인 다이어그램으로 변환하세요.","Two edges have the same ID":"두 개의 간선이 같은 ID를 가지고 있습니다","Two nodes have the same ID":"두 개의 노드가 같은 ID를 가지고 있습니다","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"이런, 무료 요청이 모두 소진되었습니다! 무제한 다이어그램 변환을 위해 Flowchart Fun Pro로 업그레이드하고 텍스트를 복사하여 쉽게 명확한 시각적 흐름도로 변환하세요.","Unescaped special character":"이스케이프되지 않은 특수 문자","Unique text value to identify a node":"노드를 식별하기 위한 고유한 텍스트 값","Unknown":"알 수 없음","Unknown Parsing Error":"알 수 없는 구문 분석 오류","Unlimited Flowcharts":"무제한 다이어그램","Unlimited Permanent Flowcharts":"무제한 영구 플로차트","Unlimited cloud-saved flowcharts":"무제한 클라우드 저장 플로우차트","Unlock AI Features and never lose your work with a Pro account.":"AI 기능 잠금 해제 및 프로 계정으로 작업을 절대 잃지 않습니다.","Unlock Unlimited AI Flowcharts":"무제한 AI 플로우차트 잠금 해제","Unpaid":"미납","Update Email":"이메일 업데이트","Updated Date":"업데이트 날짜","Upgrade Now - Save My Work":"지금 업그레이드 - 내 작업 저장","Upgrade to Flowchart Fun Pro and unlock:":"Flowchart Fun Pro로 업그레이드하고 다음을 잠금 해제하세요:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Flowchart Fun Pro로 업그레이드하여 SVG 내보내기를 잠금 해제하고 다이어그램에 대한 더 고급 기능을 즐기세요.","Upgrade to Pro":"프로로 업그레이드","Upgrade to Pro for $2/month":"프로로 업그레이드하면 매달 $2","Upload your File":"파일을 업로드하세요.","Use Custom CSS Only":"사용자 정의 CSS만 사용","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"Lucidchart나 Visio를 사용하고 계신가요? CSV 가져오기를 통해 모든 소스에서 데이터를 쉽게 가져올 수 있습니다!","Use classes to group nodes":"노드를 그룹화하기 위해 클래스를 사용하십시오.","Use the attribute <0>href to set a link on a node that opens in a new tab.":"새 탭에서 링크를 설정하기 위해 속성 <0>href을 사용하십시오.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"노드의 이미지를 설정하려면 <0>src 속성을 사용하세요. 이미지는 노드에 맞게 크기가 조정되므로 노드의 너비와 높이를 조절해야 할 수도 있습니다. CORS로 차단되지 않은 공개 이미지만 지원됩니다.","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"노드의 너비와 높이를 명시적으로 설정하려면 <0>w 및 <1>h 속성을 사용하세요.","Use the customer portal to change your billing information.":"청구 정보를 변경하려면 고객 포털을 사용하십시오.","Use these settings to adapt the look and behavior of your flowcharts":"이 설정을 사용하여 흐름 도표의 모양과 동작을 조정하십시오","Use this file for org charts, hierarchies, and other organizational structures.":"조직도, 계층 구조 및 기타 조직 구조를 위해 이 파일을 사용하십시오.","Use this file for sequences, processes, and workflows.":"시퀀스, 프로세스 및 워크플로우에 대해 이 파일을 사용하십시오.","Use this mode to modify and enhance your current chart.":"현재 차트를 수정하고 개선하는 데 이 모드를 사용하세요.","User":"사용자","Vector Export (SVG)":"벡터 내보내기 (SVG)","View on Github":"Github에서 보기","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"문서에서 플로우차트를 만들고 싶으세요? 편집기에 붙여넣고 \'플로우차트로 변환\'을 클릭하세요.","Watermark-Free Diagrams":"워터마크 없는 다이어그램","Watermarks":"물감","Welcome to Flowchart Fun":"Flowchart Fun에 오신 것을 환영합니다","What our users are saying":"우리 사용자들의 이야기","What\'s next?":"다음은 무엇인가요?","What\'s this?":"이것이 무엇인가요?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"무료 체험판은 제공하지 않지만, 우리의 가격 책정은 특히 학생과 교육자들을 위해 가능한 접근성 있게 설계되었습니다. 매달 $4로 모든 기능을 탐색하고 당신에게 적합한지 결정할 수 있습니다. 구독하고 시도해보고 필요할 때마다 다시 구독하세요.","Width":"너비","Width and Height":"너비와 높이","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"Flowchart Fun의 Pro 버전을 사용하면 자연어 명령을 사용하여 흐름도 세부 정보를 빠르게 완성할 수 있으며, 이동 중에 다이어그램을 만드는 데 이상적입니다. 매월 $4로 접근 가능한 AI 편집의 편리함을 느껴보세요.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"프로 버전으로는 로컬 파일을 저장하고 불러올 수 있습니다. 오프라인에서 작업 관련 문서를 관리하는 데 최적입니다.","Would you like to continue?":"계속하시겠습니까?","Would you like to suggest a new example?":"새로운 예시를 제안하시겠습니까?","Wrap text in parentheses to connect to any node":"괄호 안에 텍스트를 감싸서 어떤 노드에 연결하세요","Write like an outline":"아웃라인처럼 작성하세요","Write your prompt here or click to enable the microphone, then press and hold to record.":"여기에 프롬프트를 작성하거나 마이크를 활성화하려면 클릭한 다음 눌러서 녹음하세요.","Yearly":"연간","Yes, Replace Content":"예, 콘텐츠 대체하기","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"네, 비영리 단체에게 특별 할인을 지원합니다. 비영리 단체 승인을 함께 연락하시면 당신의 조직을 어떻게 돕는지에 대해 더 알아보세요.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"네, 클라우드 플로우차트는 로그인한 경우에만 접근할 수 있습니다. 또한 로컬로 파일을 저장하고 불러올 수 있어서 오프라인에서 민감한 업무 문서를 관리하기에 완벽합니다.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["그래프에 ",["numNodes"],"개의 노드와 ",["numEdges"],"개의 간선을 추가하려고 합니다."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"<0>Flowchart Fun Pro으로 무제한 영구적인 플로차트를 만들 수 있습니다.","You need to log in to access this page.":"페이지에 접근하려면 로그인해야합니다.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"이미 프로 사용자입니다. <0>구독 관리<1/>질문이나 기능 요청이 있으신가요? <2>문의하기","You\'re doing great!":"잘하고 있어요!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"모든 무료 AI 변환을 사용하셨습니다. 무제한 AI 사용, 사용자 정의 테마, 개인 공유 등을 위해 Pro로 업그레이드하세요. 쉽게 멋진 플로우차트를 만들어 나가세요!","Your Charts":"당신의 차트","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"당신의 샌드박스는 우리의 플로우차트 도구로 자유롭게 실험할 수 있는 공간으로, 매일 새로운 시작을 위해 재설정됩니다.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"당신의 차트는 계정이 더 이상 활성화되지 않았기 때문에 읽기 전용입니다. <0>계정 페이지를 방문하여 자세한 내용을 알아보세요.","Your subscription is <0>{statusDisplay}.":["귀하의 구독 상태는 <0>",["statusDisplay"],"입니다."],"Zoom In":"확대","Zoom Out":"축소하기","month":"월","or":"또는","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' ), }; diff --git a/app/src/locales/ko/messages.po b/app/src/locales/ko/messages.po index 177337825..98e5627ae 100644 --- a/app/src/locales/ko/messages.po +++ b/app/src/locales/ko/messages.po @@ -110,6 +110,18 @@ msgstr "내 플로우차트는 비공개 상태인가요?" msgid "Are there usage limits?" msgstr "사용 제한 사항이 있나요?" +#: src/components/charts/ChartModals.tsx:50 +msgid "Are you sure you want to delete the flowchart \"{0}\"? This action cannot be undone." +msgstr "플로우차트를 삭제하시겠습니까?" + +#: src/components/charts/ChartModals.tsx:39 +msgid "Are you sure you want to delete the folder \"{0}\" and all its contents? This action cannot be undone." +msgstr "폴더를 삭제하시겠습니까?" + +#: src/components/charts/ChartModals.tsx:44 +msgid "Are you sure you want to delete the folder \"{0}\"? This action cannot be undone." +msgstr "폴더를 복제하시겠습니까?" + #: src/components/LoadTemplateDialog.tsx:121 msgid "Are you sure?" msgstr "확실합니까?" @@ -204,6 +216,11 @@ msgstr "개인용 플로우차트 라이브러리 만들기" #: src/components/ImportDataDialog.tsx:698 #: src/components/LoadTemplateDialog.tsx:149 #: src/components/RenameButton.tsx:160 +#: src/components/charts/ChartModals.tsx:59 +#: src/components/charts/ChartModals.tsx:129 +#: src/components/charts/ChartModals.tsx:207 +#: src/components/charts/ChartModals.tsx:277 +#: src/components/charts/ChartModals.tsx:440 #: src/pages/Account.tsx:323 #: src/pages/Account.tsx:335 #: src/pages/Account.tsx:426 @@ -287,9 +304,15 @@ msgid "Clear text?" msgstr "텍스트를 지우시겠습니까?" #: src/components/CloneButton.tsx:48 +#: src/components/charts/ChartListItem.tsx:191 +#: src/components/charts/ChartModals.tsx:136 msgid "Clone" msgstr "클론" +#: src/components/charts/ChartModals.tsx:111 +msgid "Clone Flowchart" +msgstr "플로우차트 복제" + #: src/components/LearnSyntaxDialog.tsx:413 msgid "Close" msgstr "닫기" @@ -398,6 +421,7 @@ msgstr "Excalidraw 코드를 복사해서 <0>excalidraw.com에 붙여넣어 msgid "Copy your mermaid.js code or open it directly in the mermaid.js live editor." msgstr "mermaid.js 코드를 복사하거나 mermaid.js 라이브 편집기에서 직접 열어주세요." +#: src/components/charts/ChartModals.tsx:284 #: src/pages/New.tsx:184 msgid "Create" msgstr "만들기" @@ -418,6 +442,10 @@ msgstr "새 차트 만들기" msgid "Create a flowchart showing the steps of planning and executing a school fundraising event" msgstr "학교 모금 행사를 계획하고 실행하는 단계를 보여주는 플로우차트를 작성하십시오." +#: src/components/charts/EmptyState.tsx:41 +msgid "Create a new flowchart to get started or organize your work with folders." +msgstr "새로운 플로우차트를 만들어 시작하거나 폴더로 작업을 정리하세요." + #: src/components/FlowchartHeader.tsx:44 msgid "Create flowcharts instantly: Type or paste text, see it visualized." msgstr "즉시 플로우차트 생성: 텍스트를 입력하거나 붙여넣고 시각화해보세요." @@ -434,6 +462,10 @@ msgstr "클라우드에 저장된 무한 플로우 차트 생성 - 어디서나 msgid "Create with AI" msgstr "AI로 만들기" +#: src/components/charts/ChartsToolbar.tsx:103 +msgid "Created Date" +msgstr "생성일자" + #: src/components/LearnSyntaxDialog.tsx:167 msgid "Creating an edge between two nodes is done by indenting the second node below the first" msgstr "두 노드 사이에 엣지를 만드는 것은 첫 번째 노드 아래에 두 번째 노드를 들여 쓰는 것으로 합니다." @@ -481,6 +513,15 @@ msgstr "복잡한 다이어그램을 위한 데이터 가져오기 기능" msgid "Date" msgstr "날짜" +#: src/components/charts/ChartListItem.tsx:205 +#: src/components/charts/ChartModals.tsx:62 +msgid "Delete" +msgstr "삭제" + +#: src/components/charts/ChartModals.tsx:33 +msgid "Delete {0}" +msgstr "{0} 삭제" + #: src/pages/createExamples.tsx:8 msgid "Design a software development lifecycle flowchart for an agile team" msgstr "애자일 팀을 위한 소프트웨어 개발 라이프사이클 플로우차트를 디자인하십시오." @@ -653,6 +694,18 @@ msgstr "비어 있음" msgid "Enable to set a consistent height for all nodes" msgstr "모든 노드의 일관된 높이 설정 가능" +#: src/components/charts/ChartModals.tsx:115 +msgid "Enter a name for the cloned flowchart." +msgstr "복제된 플로우차트의 이름을 입력하세요." + +#: src/components/charts/ChartModals.tsx:263 +msgid "Enter a name for the new folder." +msgstr "새 폴더의 이름을 입력하세요." + +#: src/components/charts/ChartModals.tsx:191 +msgid "Enter a new name for the {0}." +msgstr "{0}의 새 이름을 입력하세요." + #: src/pages/LogIn.tsx:138 msgid "Enter your email address and we'll send you a magic link to sign in." msgstr "이메일 주소를 입력하면 자동으로 로그인할 수 있는 링크를 보내드립니다." @@ -803,6 +856,7 @@ msgid "Go to the Editor" msgstr "편집기로 가기" #: src/pages/Charts.tsx:285 +#: src/pages/MyCharts.tsx:241 msgid "Go to your Sandbox" msgstr "너의 샌드박스로 가기" @@ -1048,6 +1102,10 @@ msgstr "링크에서 불러오기?" msgid "Load layout and styles" msgstr "레이아웃과 스타일 로드" +#: src/components/charts/ChartListItem.tsx:236 +msgid "Loading..." +msgstr "로딩 중..." + #: src/components/FeatureBreakdown.tsx:83 #: src/pages/Pricing.tsx:63 msgid "Local File Support" @@ -1103,6 +1161,15 @@ msgstr "노드 내부 텍스트의 최대 너비" msgid "Monthly" msgstr "월간" +#: src/components/charts/ChartListItem.tsx:179 +#: src/components/charts/ChartModals.tsx:443 +msgid "Move" +msgstr "이동" + +#: src/components/charts/ChartModals.tsx:398 +msgid "Move {0}" +msgstr "이동 {0}" + #: src/lib/parserErrors.tsx:29 msgid "Multiple pointers on same line" msgstr "같은 줄에 여러 포인터" @@ -1111,6 +1178,10 @@ msgstr "같은 줄에 여러 포인터" msgid "My dog ate my credit card!" msgstr "내 개가 내 신용 카드를 먹었어요!" +#: src/components/charts/ChartsToolbar.tsx:97 +msgid "Name" +msgstr "이름" + #: src/pages/New.tsx:108 #: src/pages/New.tsx:116 msgid "Name Chart" @@ -1130,6 +1201,17 @@ msgstr "신규" msgid "New Email" msgstr "새 이메일" +#: src/components/charts/ChartsToolbar.tsx:139 +#: src/components/charts/EmptyState.tsx:55 +msgid "New Flowchart" +msgstr "새 플로우차트" + +#: src/components/charts/ChartModals.tsx:259 +#: src/components/charts/ChartsToolbar.tsx:147 +#: src/components/charts/EmptyState.tsx:62 +msgid "New Folder" +msgstr "새 폴더" + #: src/pages/Account.tsx:171 #: src/pages/Account.tsx:472 msgid "Next charge" @@ -1139,10 +1221,26 @@ msgstr "다음 청구 금액" msgid "No Edges" msgstr "노드 없음" +#: src/components/charts/ChartModals.tsx:429 +msgid "No Folder (Root)" +msgstr "폴더 없음 (루트)" + #: src/pages/Pricing.tsx:67 msgid "No Watermarks!" msgstr "물방울 없음!" +#: src/components/charts/EmptyState.tsx:30 +msgid "No charts yet" +msgstr "아직 차트가 없습니다" + +#: src/components/charts/ChartListItem.tsx:253 +msgid "No items in this folder" +msgstr "이 폴더에 항목이 없습니다" + +#: src/components/charts/EmptyState.tsx:28 +msgid "No matching charts found" +msgstr "일치하는 차트를 찾을 수 없습니다" + #: src/components/FAQ.tsx:23 msgid "No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions." msgstr "아니오, Pro 플랜에는 사용 제한이 없습니다. 무제한 플로우차트 생성 및 AI 기능을 즐겨보세요. 이는 제한 없이 탐색하고 혁신할 수 있도록 해줍니다." @@ -1379,9 +1477,15 @@ msgstr "업데이트하려면 다시 로드하기 " #: src/components/RenameButton.tsx:100 #: src/components/RenameButton.tsx:121 #: src/components/RenameButton.tsx:163 +#: src/components/charts/ChartListItem.tsx:168 +#: src/components/charts/ChartModals.tsx:214 msgid "Rename" msgstr "이름 바꾸기" +#: src/components/charts/ChartModals.tsx:187 +msgid "Rename {0}" +msgstr "{0}의 이름 바꾸기" + #: src/pages/LogIn.tsx:164 msgid "Request Magic Link" msgstr "마법 링크 요청" @@ -1471,6 +1575,10 @@ msgstr "안전한 결제" msgid "See more reviews on Product Hunt" msgstr "Product Hunt에서 더 많은 리뷰를 확인하세요" +#: src/components/charts/ChartModals.tsx:402 +msgid "Select a destination folder for \"{0}\"." +msgstr "\에 대한 대상 폴더 선택" + #: src/components/Tabs/ThemeTab.tsx:395 msgid "Set a consistent height for all nodes" msgstr "모든 노드의 일관된 높이 설정하기" @@ -1506,6 +1614,18 @@ msgstr "죄송합니다! 이 페이지는 영어로만 제공됩니다." msgid "Sorry, there was an error converting the text to a flowchart. Try again later." msgstr "죄송합니다, 텍스트를 플로우차트로 변환하는 중에 오류가 발생했습니다. 나중에 다시 시도해주세요." +#: src/components/charts/ChartsToolbar.tsx:124 +msgid "Sort Ascending" +msgstr "오름차순 정렬하기" + +#: src/components/charts/ChartsToolbar.tsx:119 +msgid "Sort Descending" +msgstr "내림차순 정렬" + +#: src/components/charts/ChartsToolbar.tsx:79 +msgid "Sort by {0}" +msgstr "{0}로 정렬" + #: src/components/Tabs/ThemeTab.tsx:491 #: src/components/Tabs/ThemeTab.tsx:492 msgid "Source Arrow Shape" @@ -1780,6 +1900,10 @@ msgstr "전문가와 학술인들에게 신뢰받는다" msgid "Try AI" msgstr "AI 시도해보기" +#: src/components/charts/EmptyState.tsx:36 +msgid "Try adjusting your search or filters to find what you're looking for." +msgstr "검색 또는 필터를 조정하여 원하는 내용을 찾아보세요." + #: src/components/App.tsx:82 msgid "Try again" msgstr "다시 시도하세요" @@ -1845,6 +1969,10 @@ msgstr "미납" msgid "Update Email" msgstr "이메일 업데이트" +#: src/components/charts/ChartsToolbar.tsx:109 +msgid "Updated Date" +msgstr "업데이트 날짜" + #: src/components/SandboxWarning.tsx:95 msgid "Upgrade Now - Save My Work" msgstr "지금 업그레이드 - 내 작업 저장" @@ -2037,6 +2165,7 @@ msgid "You've used all your free AI conversions. Upgrade to Pro for unlimited AI msgstr "모든 무료 AI 변환을 사용하셨습니다. 무제한 AI 사용, 사용자 정의 테마, 개인 공유 등을 위해 Pro로 업그레이드하세요. 쉽게 멋진 플로우차트를 만들어 나가세요!" #: src/pages/Charts.tsx:93 +#: src/pages/MyCharts.tsx:235 msgid "Your Charts" msgstr "당신의 차트" diff --git a/app/src/locales/pt-br/messages.js b/app/src/locales/pt-br/messages.js index 447e8a763..db3d21211 100644 --- a/app/src/locales/pt-br/messages.js +++ b/app/src/locales/pt-br/messages.js @@ -1,5 +1,5 @@ /*eslint-disable*/ module.exports = { messages: JSON.parse( - '{"1 Temporary Flowchart":"1 Fluxograma Temporário","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>Somente CSS Personalizado está habilitado. Somente as configurações de Layout e Avançadas serão aplicadas.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun é um projeto de código aberto feito por <1>Tone\xA0Row","<0>Sign In / <1>Sign Up with email and password":"<0>Entrar / <1>Cadastrar com e-mail e senha","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>Você atualmente tem uma conta gratuita. <1/><2>Saiba mais sobre nossos recursos Pro e assine nossa página de preços.","A new version of the app is available. Please reload to update.":"Uma nova versão do aplicativo está disponível. Por favor, recarregue para atualizar.","AI Creation & Editing":"Criação e Edição de IA","AI-Powered Flowchart Creation":"Criação de fluxogramas com Inteligência Artificial","AI-powered editing to supercharge your workflow":"Edição com inteligência artificial para turbinar seu fluxo de trabalho","About":"Sobre","Account":"Conta","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"Adicione uma barra invertida (<0>\\\\) antes de quaisquer caracteres especiais: <1>(, <2>:, <3>#, ou <4>.","Add some steps":"Adicione alguns passos","Advanced":"Avançado","Align Horizontally":"Alinhar Horizontalmente","Align Nodes":"Alinhar Nós","Align Vertically":"Alinhar Verticalmente","All this for just $4/month - less than your daily coffee ☕":"Tudo isso por apenas $4/mês - menos que o seu café diário ☕","Amount":"Total","An error occurred. Try resubmitting or email {0} directly.":["Ocorreu um erro. Tente reenviar ou envie um e-mail direto para ",["0"],"."],"Appearance":"Aparência","Are my flowcharts private?":"Meus fluxogramas são privados?","Are there usage limits?":"Existem limites de uso?","Are you sure?":"Tem certeza?","Arrow Size":"Tamanho da Seta","Attributes":"Atributos","August 2023":"Agosto de 2023","Back":"Voltar","Back To Editor":"Voltar ao editor","Background Color":"Cor de Fundo","Basic Flowchart":"Fluxograma Básico","Become a Github Sponsor":"Seja um patrocinador do Github","Become a Pro User":"Se torne um usuário Pro","Begin your journey":"Comece sua jornada","Billed annually at $24":"Cobrado anualmente a $24","Billed monthly at $4":"Cobrado mensalmente em $4","Blog":"Blog","Book a Meeting":"Reserve uma Reunião","Border Color":"Cor da Borda","Border Width":"Largura da Borda","Bottom to Top":"De baixo para cima","Breadthfirst":"Por extensão","Build your personal flowchart library":"Construa sua biblioteca pessoal de fluxogramas","Cancel":"Cancelar","Cancel anytime":"Cancelar a qualquer momento","Cancel your subscription. Your hosted charts will become read-only.":"Cancele sua inscrição. Seus diagramas hospedados não serão modificáveis.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"Cancelar é fácil. Basta ir para a página da sua conta, rolar até o final e clicar em cancelar. Se você não estiver completamente satisfeito, oferecemos um reembolso no seu primeiro pagamento.","Certain attributes can be used to customize the appearance or functionality of elements.":"Certos atributos podem ser usados para personalizar a aparência ou funcionalidade dos elementos.","Change Email Address":"Mude o endereço de email","Changelog":"Registro de alterações","Charts":"Diagramas","Check out the guide:":"Confira o guia:","Check your email for a link to log in.<0/>You can close this window.":"Verifique seu e-mail para um link para fazer login. Você pode fechar esta janela.","Choose":"Escolha","Choose Template":"Escolha o Modelo","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"Escolha entre uma variedade de formas de seta para a origem e o destino de uma aresta. As formas incluem triângulo, triângulo-tee, triângulo-círculo, triângulo-cruz, triângulo-curva-inversa, vee, tee, quadrado, círculo, diamante, chevron e nenhum.","Choose how edges connect between nodes":"Escolha como as arestas se conectam entre os nós","Choose how nodes are automatically arranged in your flowchart":"Escolha como os nós são automaticamente dispostos em seu fluxograma","Circle":"Círculo","Classes":"Classes","Clear":"Apagar","Clear text?":"Limpar o texto?","Clone":"Clonar","Close":"Fechar","Color":"Cor","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"As cores incluem vermelho, laranja, amarelo, azul, roxo, preto, branco e cinza.","Column":"Coluna","Comment":"Comente","Compare our plans and find the perfect fit for your flowcharting needs":"Compare nossos planos e encontre o ajuste perfeito para suas necessidades de fluxograma","Concentric":"Concêntrico","Confirm New Email":"Confirme o novo email","Confirm your email address to sign in.":"Confirme seu endereço de e-mail para fazer login.","Connect your Data":"Conecte seus Dados","Containers":"Recipientes","Containers are nodes that contain other nodes. They are declared using curly braces.":"Os containers são nós que contêm outros nós. Eles são declarados usando chaves.","Continue":"Continuar","Continue in Sandbox (Resets daily, work not saved)":"Continuar no Sandbox (Redefine diariamente, trabalho não salvo)","Controls the flow direction of hierarchical layouts":"Controla a direção do fluxo dos layouts hierárquicos","Convert":"Converter","Convert to Flowchart":"Converter para Fluxograma","Convert to hosted chart?":"Converter em diagrama hospedado?","Cookie Policy":"Política de Cookies","Copied SVG code to clipboard":"Código SVG copiado para a área de transferência","Copied {format} to clipboard":[["format"]," copiado para a área de transferência"],"Copy":"Copiar","Copy PNG Image":"Copiar imagem PNG","Copy SVG Code":"Copiar código SVG","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Copie o seu código Excalidraw e cole-o em <0>excalidraw.com para editar. Esta funcionalidade é experimental e pode não funcionar com todos os diagramas. Se você encontrar um bug, por favor <1>deixe-nos saber.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"Copie seu código mermaid.js ou abra diretamente no editor ao vivo mermaid.js.","Create":"Criar","Create Flowcharts using AI":"Criar Fluxogramas usando IA","Create Unlimited Flowcharts":"Crie fluxogramas ilimitados","Create a New Chart":"Criar um Novo Gráfico","Create a flowchart showing the steps of planning and executing a school fundraising event":"Criar um fluxograma mostrando os passos de planejamento e execução de um evento de arrecadação de fundos escolar","Create flowcharts instantly: Type or paste text, see it visualized.":"Crie fluxogramas instantaneamente: Digite ou cole o texto, veja-o visualizado.","Create unlimited diagrams for just $4/month!":"Crie diagramas ilimitados por apenas $4/mês!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"Crie fluxogramas ilimitados armazenados na nuvem - acessíveis em qualquer lugar!","Create with AI":"Crie com IA","Creating an edge between two nodes is done by indenting the second node below the first":"Criar uma aresta entre dois nós é feito indentando o segundo nó abaixo do primeiro","Curve Style":"Estilo de Curva","Custom CSS":"CSS Personalizado","Custom Sharing Options":"Opções de Compartilhamento Personalizadas","Customer Portal":"Portal do cliente","Daily Sandbox Editor":"Editor de Sandbox diário","Dark":"Escuro","Dark Mode":"Modo escuro","Data Import (Visio, Lucidchart, CSV)":"Importação de dados (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"Funcionalidade de importação de dados para diagramas complexos","Date":"Data","Design a software development lifecycle flowchart for an agile team":"Projetar um fluxograma do ciclo de vida de desenvolvimento de software para uma equipe ágil","Develop a decision tree for a CEO to evaluate potential new market opportunities":"Desenvolver uma árvore de decisão para um CEO avaliar novas oportunidades de mercado potenciais","Direction":"Direção","Dismiss":"Dispensar","Do you have a free trial?":"Você tem um teste gratuito?","Do you offer a non-profit discount?":"Você oferece desconto para organizações sem fins lucrativos?","Do you want to delete this?":"Você deseja deletar isso?","Document":"Documento","Don\'t Lose Your Work":"Não Perca Seu Trabalho","Download":"Baixar","Download JPG":"Baixar JPG","Download PNG":"Baixar PNG","Download SVG":"Baixar SVG","Drag and drop a CSV file here, or click to select a file":"Arraste e solte um arquivo CSV aqui ou clique para selecionar um arquivo","Draw an edge from multiple nodes by beginning the line with a reference":"Desenhe uma aresta de vários nós começando a linha com uma referência","Drop the file here ...":"Solte o arquivo aqui ...","Each line becomes a node":"Cada linha se torna um nó","Edge ID, Classes, Attributes":"ID de Borda, Classes, Atributos","Edge Label":"Rótulo de Borda","Edge Label Column":"Coluna de Rótulo de Borda","Edge Style":"Estilo de Borda","Edge Text Size":"Tamanho do Texto da Borda","Edge missing indentation":"Recuo em falta na borda","Edges":"Bordas","Edges are declared in the same row as their source node":"As bordas são declaradas na mesma linha que seu nó de origem","Edges are declared in the same row as their target node":"As bordas são declaradas na mesma linha que seu nó de destino","Edges are declared in their own row":"As bordas são declaradas em sua própria linha","Edges can also have ID\'s, classes, and attributes before the label":"As bordas também podem ter ID\'s, classes e atributos antes da etiqueta","Edges can be styled with dashed, dotted, or solid lines":"As bordas podem ser estilizadas com linhas tracejadas, pontilhadas ou sólidas","Edges in Separate Rows":"Bordas em Linhas Separadas","Edges in Source Node Row":"Bordas na Linha do Nó de Origem","Edges in Target Node Row":"Bordas na Linha do Nó de Destino","Edit":"Editar","Edit with AI":"Edição com IA","Editable":"Editável","Editor":"Editor","Email":"E-mail","Empty":"Vazio","Enable to set a consistent height for all nodes":"Ativar para definir uma altura consistente para todos os nós","Enter your email address and we\'ll send you a magic link to sign in.":"Digite seu endereço de e-mail e enviaremos um link mágico para fazer login.","Enter your email address below and we\'ll send you a link to reset your password.":"Digite seu endereço de e-mail abaixo e enviaremos um link para redefinir sua senha.","Equal To":"Igual a","Everything you need to know about Flowchart Fun Pro":"Tudo o que você precisa saber sobre o Flowchart Fun Pro","Examples":"Exemplos","Excalidraw":"Excalidraw","Exclusive Office Hours":"Horário de atendimento exclusivo","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"Experimente a eficiência e segurança de carregar arquivos locais diretamente em seu fluxograma, perfeito para gerenciar documentos relacionados ao trabalho offline. Desbloqueie esse recurso exclusivo do Pro e muito mais com o Flowchart Fun Pro, disponível por apenas $4/mês.","Explore more":"Explore mais","Export":"Exportar","Export clean diagrams without branding":"Exporte diagramas limpos sem marcação","Export to PNG & JPG":"Exportar para PNG e JPG","Export to PNG, JPG, and SVG":"Exportar para PNG, JPG e SVG","Feature Breakdown":"Descrição das funcionalidades","Feedback":"Feedback","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"Sinta-se à vontade para explorar e entrar em contato conosco através da página <0>Feedback se tiver alguma preocupação.","Fine-tune layouts and visual styles":"Ajuste layouts e estilos visuais","Fixed Height":"Altura fixa","Fixed Node Height":"Altura do Nó Fixa","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"O Flowchart Fun Pro oferece fluxogramas ilimitados, colaboradores ilimitados e armazenamento ilimitado por apenas $4/mês.","Follow Us on Twitter":"Siga-nos no Twitter","Font Family":"Família de Fontes","Forgot your password?":"Esqueceu sua senha?","Found a bug? Have a feature request? We would love to hear from you!":"Encontrou um bug? Tem uma solicitação de recurso? Adoraríamos ouvir de você!","Free":"Grátis ","Frequently Asked Questions":"Perguntas frequentes","Full-screen, read-only, and template sharing":"Compartilhamento em tela cheia, somente leitura e modelos","Fullscreen":"Tela cheia","General":"Geral","Generate flowcharts from text automatically":"Gere fluxogramas automaticamente a partir de texto","Get Pro Access Now":"Obtenha acesso Pro agora","Get Unlimited AI Requests":"Obtenha solicitações ilimitadas de IA","Get rapid responses to your questions":"Obtenha respostas rápidas para suas perguntas","Get unlimited flowcharts and premium features":"Obtenha fluxogramas ilimitados e recursos premium","Go back home":"Volte para casa","Go to the Editor":"Vá para o Editor","Go to your Sandbox":"Vá para sua caixa de areia","Graph":"Diagrama","Green?":"Verde?","Grid":"Grade","Have complex questions or issues? We\'re here to help.":"Tem questões ou problemas complexos? Estamos aqui para ajudar.","Here are some Pro features you can now enjoy.":"Aqui estão algumas funcionalidades Pro que você pode desfrutar agora.","High-quality exports with embedded fonts":"Exportações de alta qualidade com fontes incorporadas","History":"Histórico","Home":"Página inicial","How are edges declared in this data?":"Como as arestas são declaradas nestes dados?","How do I cancel my subscription?":"Como faço para cancelar minha assinatura?","How does AI flowchart generation work?":"Como funciona a geração de fluxogramas por AI?","How would you like to save your chart?":"Como você gostaria de salvar seu gráfico?","I would like to request a new template:":"Eu gostaria de solicitar um novo modelo:","ID\'s":"IDs","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"Se uma conta com esse e-mail existir, enviamos um e-mail com instruções sobre como redefinir sua senha.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"Se você gosta de usar <0>Flowchart Fun, por favor, considere apoiar o projeto","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"Se você quiser criar uma borda, indente esta linha. Se não, escape o dois-pontos com uma barra invertida <0>\\\\:","Images":"Imagens","Import Data":"Importar dados","Import data from a CSV file.":"Importar dados de um arquivo CSV.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"Importar dados de qualquer arquivo CSV e mapeá-los para um novo fluxograma. Esta é uma ótima maneira de importar dados de outras fontes, como Lucidchart, Google Sheets e Visio.","Import from CSV":"Importar do CSV","Import from Visio, Lucidchart, and CSV":"Importar de Visio, Lucidchart e CSV","Import from popular diagram tools":"Importe de ferramentas populares de diagramas","Import your diagram it into Microsoft Visio using one of these CSV files.":"Importe seu diagrama para o Microsoft Visio usando um desses arquivos CSV.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"Importar dados é um recurso profissional. Você pode atualizar para o Flowchart Fun Pro por apenas $4/mês.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"Inclua um título usando um atributo <0>title. Para usar a coloração do Visio, adicione um atributo <1>roleType igual a uma das seguintes opções:","Indent to connect nodes":"Identar para conectar os nós","Info":"Informações","Is":"É","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"O JSON Canvas é uma representação JSON do seu diagrama usado pelo <0>Obsidian Canvas e outras aplicações.","Join 2000+ professionals who\'ve upgraded their workflow":"Junte-se a mais de 2000 profissionais que aprimoraram seu fluxo de trabalho","Join thousands of happy users who love Flowchart Fun":"Junte-se a milhares de usuários felizes que amam o Flowchart Fun","Keep Things Private":"Mantenha as coisas privadas","Keep changes?":"Manter alterações?","Keep practicing":"Continue praticando","Keep your data private on your computer":"Mantenha seus dados privados em seu computador","Language":"Idioma","Layout":"Layout","Layout Algorithm":"Algoritmo de layout","Layout Frozen":"Layout Congelado","Leading References":"Principais Referências","Learn More":"Saber mais","Learn Syntax":"Aprender Sintaxe","Learn about Flowchart Fun Pro":"Saiba mais sobre o Flowchart Fun Pro","Left to Right":"Da esquerda para direita","Let us know why you\'re canceling. We\'re always looking to improve.":"Deixe-nos saber por que você está cancelando. Estamos sempre procurando melhorar.","Light":"Claro","Light Mode":"Modo claro","Link":"Link","Link back":"Voltar ao link","Load":"Carregar","Load Chart":"Carregar Gráfico","Load File":"Carregar Arquivo","Load Files":"Carregar Arquivos","Load default content":"Carregar conteúdo padrão","Load from link?":"Carregar a partir do link?","Load layout and styles":"Carregar layout e estilos","Local File Support":"Suporte de Arquivo Local","Local saving for offline access":"Salvamento local para acesso offline","Lock Zoom to Graph":"Bloquear Zoom para o Gráfico","Log In":"Acessar","Log Out":"Deslogar","Log in to Save":"Faça login para salvar","Log in to upgrade your account":"Faça login para atualizar sua conta","Make a One-Time Donation":"Faça uma Doação Única","Make publicly accessible":"Tornar publicamente acessível","Manage Billing":"Gerenciar Faturamento","Map Data":"Mapear Dados","Maximum width of text inside nodes":"Largura máxima do texto dentro dos nós","Monthly":"Mensal","Multiple pointers on same line":"Múltiplos ponteiros na mesma linha","My dog ate my credit card!":"Meu cachorro comeu meu cartão de crédito!","Name Chart":"Nome do Gráfico","Name your chart":"Dê um nome ao seu gráfico","New":"Novo","New Email":"Novo Email","Next charge":"Próxima cobrança","No Edges":"Sem Bordas","No Watermarks!":"Sem Marca d\'Água!","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"Não, não há limites de uso com o plano Pro. Aproveite a criação de fluxogramas ilimitada e recursos de AI, dando a você a liberdade de explorar e inovar sem restrições.","Node Border Style":"Estilo de Borda do Nó","Node Colors":"Cores do Nó","Node ID":"ID do Nó","Node ID, Classes, Attributes":"ID do Nó, Classes, Atributos","Node Label":"Rótulo do Nó","Node Shape":"Forma do Nó","Node Shapes":"Formas do Nó","Nodes":"Nós","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"Nós podem ser estilizados com traços, pontos ou duplos. Bordas também podem ser removidas com border_none.","Not Empty":"Não Vazio","Now you\'re thinking with flowcharts!":"Agora você está pensando com fluxogramas!","Office Hours":"Horário de trabalho","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":" vez em quando, o link mágico acabará em sua pasta de spam. Se você não o vir após alguns minutos, verifique lá ou solicite um novo link.","One on One Support":"Suporte Um a Um","One-on-One Support":"Suporte Individual","Open Customer Portal":"Abra o portal do cliente","Operation canceled":"Operação cancelada","Or maybe blue!":"Ou talvez azul!","Organization Chart":"Gráfico de Organização","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"Nossa AI cria diagramas a partir de suas sugestões de texto, permitindo edições manuais perfeitas ou ajustes assistidos por AI. Ao contrário de outros, nosso plano Pro oferece gerações e edições ilimitadas por AI, capacitando você a criar sem limites.","Padding":"Espaçamento","Page not found":"Página não encontrada","Password":"Senha","Past Due":"Atrasado","Paste a document to convert it":"Cole um documento para convertê-lo","Paste your document or outline here to convert it into an organized flowchart.":"Cole seu documento ou esboço aqui para convertê-lo em um fluxograma organizado.","Pasted content detected. Convert to Flowchart Fun syntax?":"Conteúdo colado detectado. Converter para a sintaxe do Flowchart Fun?","Perfect for docs and quick sharing":"Perfeito para documentos e compartilhamento rápido","Permanent Charts are a Pro Feature":"Gráficos permanentes são um recurso Pro","Playbook":"Cartilha","Pointer and container on same line":"Ponteiro e contêiner na mesma linha","Priority One-on-One Support":"Suporte prioritário um a um","Privacy Policy":"Política de Privacidade","Pro tip: Right-click any node to customize its shape and color":"Dica profissional: Clique com o botão direito em qualquer nó para personalizar sua forma e cor.","Processing Data":"Processando Dados","Processing...":"Processando...","Prompt":"Sugestão","Public":"Público","Quick experimentation space that resets daily":"Espaço de experimentação rápida que é reiniciado diariamente","Random":"Aleatório","Rapid Deployment Templates":"Modelos de implantação rápida","Rapid Templates":"Modelos Rápidos","Raster Export (PNG, JPG)":"Exportação de Raster (PNG, JPG)","Rate limit exceeded. Please try again later.":"Limite de taxa excedido. Por favor, tente novamente mais tarde.","Read-only":"Somente leitura","Reference by Class":"Referência por Classe","Reference by ID":"Referência por ID","Reference by Label":"Referência por Rótulo","References":"Referências","References are used to create edges between nodes that are created elsewhere in the document":"Referências são usadas para criar arestas entre nós que são criados em outro lugar no documento","Referencing a node by its exact label":"Referenciando um nó pelo seu rótulo exato","Referencing a node by its unique ID":"Referenciando um nó pelo seu ID único","Referencing multiple nodes with the same assigned class":"Referenciando vários nós com a mesma classe atribuída","Refresh Page":"Atualizar Página","Reload to Update":"Recarregar para Atualizar","Rename":"Renomear","Request Magic Link":"Solicitar Link Mágico","Request Password Reset":"Solicitar Redefinição de Senha","Reset":"Resetar","Reset Password":"Redefinir Senha","Resume Subscription":"Resumir inscrição","Return":"Retornar","Right to Left":"Da direita para esquerda","Right-click nodes for options":"Clique com o botão direito nos nós para ver as opções","Roadmap":"Roteiro","Rotate Label":"Rotular Rotação","SVG Export is a Pro Feature":"A exportação de SVG é uma funcionalidade Pro","Satisfaction guaranteed or first payment refunded":"Satisfação garantida ou primeiro pagamento reembolsado","Save":"Salvar","Save time with AI and dictation, making it easy to create diagrams.":"Economize tempo com IA e ditado, facilitando a criação de diagramas.","Save to Cloud":"Salvar para Nuvem","Save to File":"Salvar para Arquivo","Save your Work":"Salve seu trabalho","Schedule personal consultation sessions":"Agende sessões de consulta pessoal","Secure payment":"Pagamento seguro","See more reviews on Product Hunt":"Veja mais avaliações no Product Hunt","Set a consistent height for all nodes":"Definir uma altura consistente para todos os nós","Settings":"Configurações","Share":"Compartilhar","Sign In":"Entrar","Sign in with <0>GitHub":"Entrar com <0>GitHub","Sign in with <0>Google":"Entrar com <0>Google","Sorry! This page is only available in English.":"Sinto muito! Esta página só está disponível em inglês.","Sorry, there was an error converting the text to a flowchart. Try again later.":"Desculpe, houve um erro ao converter o texto em um fluxograma. Tente novamente mais tarde.","Source Arrow Shape":"Forma da Seta de Origem","Source Column":"Coluna de Origem","Source Delimiter":"Delimitador de Origem","Source Distance From Node":"Distância da Origem ao Nó","Source/Target Arrow Shape":"Forma da Seta de Origem/Destino","Spacing":"Espaçamento","Special Attributes":"Atributos Especiais","Start":"Início","Start Over":"Recomeçar","Start faster with use-case specific templates":"Comece mais rápido com modelos específicos de casos de uso","Status":"Status","Step 1":"Passo 1","Step 2":"Passo 2","Step 3":"Passo 3","Store any data associated to a node":"Armazenar quaisquer dados associados a um nó","Style Classes":"Classes de Estilo","Style with classes":"Estilizar com classes","Submit":"Enviar","Subscribe to Pro and flowchart the fun way!":"Assine o Pro e crie fluxogramas de forma divertida!","Subscription":"Inscrição","Subscription Successful!":"Assinatura bem-sucedida!","Subscription will end":"Inscrição acabará","Target Arrow Shape":"Forma da Seta de Destino","Target Column":"Coluna Alvo","Target Delimiter":"Delimitador Alvo","Target Distance From Node":"Distância-alvo do Nó","Text Color":"Cor do Texto","Text Horizontal Offset":"Deslocamento Horizontal do Texto","Text Leading":"Texto Principal","Text Max Width":"Largura Máxima do Texto","Text Vertical Offset":"Deslocamento Vertical do Texto","Text followed by colon+space creates an edge with the text as the label":"Texto seguido de dois-pontos+espaço cria uma aresta com o texto como rótulo","Text on a line creates a node with the text as the label":"Texto em uma linha cria um nó com o texto como rótulo","Thank you for your feedback!":"Agradecimentos pelo seu feedback!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"A melhor maneira de mudar os estilos é clicar com o botão direito do mouse em um nó ou borda e selecionar o estilo desejado.","The column that contains the edge label(s)":"A coluna que contém o(s) rótulo(s) da aresta","The column that contains the source node ID(s)":"A coluna que contém o(s) ID(s) do nó de origem","The column that contains the target node ID(s)":"A coluna que contém o(s) ID(s) do nó de destino","The delimiter used to separate multiple source nodes":"O delimitador usado para separar vários nós de origem","The delimiter used to separate multiple target nodes":"O delimitador usado para separar vários nós de destino","The possible shapes are:":"As formas possíveis são:","Theme":"Tema","Theme Customization Editor":"Editor de Personalização de Temas","Theme Editor":"Editor de Temas","There are no edges in this data":"Não há arestas nestes dados","This action cannot be undone.":"Esta ação não pode ser desfeita.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"Esta funcionalidade está disponível apenas para usuários Pro. <0>Torne-se um usuário Pro para desbloqueá-la.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"Isso pode levar entre 30 segundos e 2 minutos, dependendo do tamanho da sua entrada.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"Esta caixa de areia é perfeita para experimentar, mas lembre-se - ela é resetada diariamente. Faça o upgrade agora e mantenha seu trabalho atual!","This will replace the current content.":"Isso substituirá o conteúdo atual.","This will replace your current chart content with the template content.":"Isso irá substituir o conteúdo atual do seu gráfico pelo conteúdo do modelo.","This will replace your current sandbox.":"Isso substituirá sua sandbox atual.","Time to decide":"Hora de decidir","Tip":"Dica","To fix this change one of the edge IDs":"Para corrigir isso, altere um dos IDs de borda","To fix this change one of the node IDs":"Para corrigir isso, altere um dos IDs de nó","To fix this move one pointer to the next line":"Para corrigir isso, mova um ponteiro para a próxima linha","To fix this start the container <0/> on a different line":"Para corrigir isso, inicie o container <0/> em uma linha diferente","To learn more about why we require you to log in, please read <0>this blog post.":"Para saber mais sobre por que precisamos que você faça login, leia <0>este post no blog.","Top to Bottom":"De cima para baixo","Transform Your Ideas into Professional Diagrams in Seconds":"Transforme Suas Ideias em Diagramas Profissionais em Segundos","Transform text into diagrams instantly":"Transforme texto em diagramas instantaneamente.","Trusted by Professionals and Academics":"Confiável por profissionais e acadêmicos","Try AI":"Experimente IA","Try again":"Tente novamente","Turn your ideas into professional diagrams in seconds":"Transforme suas ideias em diagramas profissionais em segundos.","Two edges have the same ID":"Dois bordos têm o mesmo ID","Two nodes have the same ID":"Dois nós têm o mesmo ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"Ops, você esgotou suas solicitações gratuitas! Atualize para o Flowchart Fun Pro e tenha conversões ilimitadas de diagramas, e continue transformando textos em fluxogramas claros e visuais com a mesma facilidade de copiar e colar.","Unescaped special character":"Caractere especial não escapado","Unique text value to identify a node":"Valor de texto único para identificar um nó","Unknown":"Desconhecido","Unknown Parsing Error":"Erro de Análise Desconhecido","Unlimited Flowcharts":"Fluxogramas ilimitados.","Unlimited Permanent Flowcharts":"Fluxogramas Permanentes Ilimitados","Unlimited cloud-saved flowcharts":"Fluxogramas ilimitados salvos na nuvem","Unlock AI Features and never lose your work with a Pro account.":"Desbloqueie recursos de IA e nunca perca seu trabalho com uma conta Pro.","Unlock Unlimited AI Flowcharts":"Desbloqueie Fluxogramas de IA ilimitados","Unpaid":"Não pago","Update Email":"Atualizar e-mail","Upgrade Now - Save My Work":"Faça o upgrade agora - Salve Meu Trabalho","Upgrade to Flowchart Fun Pro and unlock:":"Faça o upgrade para o Flowchart Fun Pro e desbloqueie:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Atualize para o Flowchart Fun Pro para desbloquear a exportação de SVG e aproveitar recursos mais avançados para seus diagramas.","Upgrade to Pro":"Atualize para Pro","Upgrade to Pro for $2/month":"Atualize para a versão Pro por $2/mês","Upload your File":"Faça o upload do seu arquivo","Use Custom CSS Only":"Usar Somente CSS Personalizado","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"Usa o Lucidchart ou o Visio? A importação de CSV torna fácil obter dados de qualquer fonte!","Use classes to group nodes":"Use classes para agrupar nós","Use the attribute <0>href to set a link on a node that opens in a new tab.":"Use o atributo <0>href para definir um link em um nó que abra em uma nova guia.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"Use o atributo <0>src para definir a imagem de um nó. A imagem será dimensionada para caber no nó, então você pode precisar ajustar a largura e altura do nó para obter o resultado desejado. Apenas imagens públicas (não bloqueadas por CORS) são suportadas.","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"Use os atributos <0>w e <1>h para definir explicitamente a largura e altura de um nó.","Use the customer portal to change your billing information.":"Use o portal do cliente para alterar suas informações de cobrança.","Use these settings to adapt the look and behavior of your flowcharts":"Use essas configurações para adaptar a aparência e o comportamento de seus fluxogramas","Use this file for org charts, hierarchies, and other organizational structures.":"Use este arquivo para organogramas, hierarquias e outras estruturas organizacionais.","Use this file for sequences, processes, and workflows.":"Use este arquivo para sequências, processos e fluxos de trabalho.","Use this mode to modify and enhance your current chart.":"Use este modo para modificar e aprimorar seu fluxograma atual.","User":"Usuário","Vector Export (SVG)":"Exportação de Vetor (SVG)","View on Github":"Visualizar no Github","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"Quer criar um fluxograma a partir de um documento? Cole-o no editor e clique em \'Converter em Fluxograma\'.","Watermark-Free Diagrams":"Diagramas sem marca d\'água","Watermarks":"Marca d\'água","Welcome to Flowchart Fun":"Bem-vindo ao Flowchart Fun","What our users are saying":"O que nossos usuários estão dizendo","What\'s next?":"E o próximo passo?","What\'s this?":"O que é isso?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"Embora não ofereçamos um teste gratuito, nossos preços são projetados para serem o mais acessíveis possível, especialmente para estudantes e educadores. Por apenas $4 por mês, você pode explorar todos os recursos e decidir se é o ideal para você. Sinta-se à vontade para se inscrever, experimentar e se inscrever novamente sempre que precisar.","Width":"Largura","Width and Height":"Largura e Altura","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"Com a versão Pro do Flowchart Fun, você pode usar comandos em linguagem natural para rapidamente detalhar seu fluxograma, ideal para criar diagramas em qualquer lugar. Por apenas $4 por mês, obtenha a facilidade de edição de IA acessível para aprimorar sua experiência de fluxograma.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"Com a versão pro, você pode salvar e carregar arquivos locais. É perfeito para gerenciar documentos relacionados ao trabalho offline.","Would you like to continue?":"Você gostaria de continuar?","Would you like to suggest a new example?":"Gostaria de sugerir um novo exemplo?","Wrap text in parentheses to connect to any node":"Envolver o texto entre parênteses para se conectar a qualquer nó","Write like an outline":"Escreva como um esboço","Write your prompt here or click to enable the microphone, then press and hold to record.":"Escreva sua instrução aqui ou clique para ativar o microfone, depois pressione e segure para gravar.","Yearly":"Anualmente","Yes, Replace Content":"Sim, Substituir Conteúdo","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"Sim, oferecemos descontos especiais para organizações sem fins lucrativos. Entre em contato conosco com seu status de organização sem fins lucrativos para saber mais sobre como podemos ajudar sua organização.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"Sim, seus fluxogramas em nuvem só são acessíveis quando você está logado. Além disso, você pode salvar e carregar arquivos localmente, perfeito para gerenciar documentos sensíveis relacionados ao trabalho offline.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["Você está prestes a adicionar ",["numNodes"]," nós e ",["numEdges"]," arestas ao seu gráfico."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"Você pode criar fluxogramas permanentes ilimitados com <0>Flowchart Fun Pro.","You need to log in to access this page.":"Você precisa fazer login para acessar esta página.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"Você já é um usuário Pro. <0>Gerenciar Assinatura<1/>Tem perguntas ou solicitações de recursos? <2>Deixe-nos saber","You\'re doing great!":"Você está indo muito bem!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"Você usou todas as suas conversões de IA gratuitas. Faça upgrade para o Pro e tenha uso ilimitado de IA, temas personalizados, compartilhamento privado e muito mais. Continue criando incríveis fluxogramas sem esforço!","Your Charts":"Seus Gráficos","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"Sua caixa de areia é um espaço para experimentar livremente com nossas ferramentas de fluxograma, resetando todos os dias para um começo fresco.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"Seus gráficos são somente leitura porque sua conta não está mais ativa. Visite sua página de <0>conta para saber mais.","Your subscription is <0>{statusDisplay}.":["Sua assinatura está <0>",["statusDisplay"],"."],"Zoom In":"Zoom In","Zoom Out":"Diminuir o zoom","month":"mês","or":"ou","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' + '{"1 Temporary Flowchart":"1 Fluxograma Temporário","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>Somente CSS Personalizado está habilitado. Somente as configurações de Layout e Avançadas serão aplicadas.","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun é um projeto de código aberto feito por <1>Tone\xA0Row","<0>Sign In / <1>Sign Up with email and password":"<0>Entrar / <1>Cadastrar com e-mail e senha","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>Você atualmente tem uma conta gratuita. <1/><2>Saiba mais sobre nossos recursos Pro e assine nossa página de preços.","A new version of the app is available. Please reload to update.":"Uma nova versão do aplicativo está disponível. Por favor, recarregue para atualizar.","AI Creation & Editing":"Criação e Edição de IA","AI-Powered Flowchart Creation":"Criação de fluxogramas com Inteligência Artificial","AI-powered editing to supercharge your workflow":"Edição com inteligência artificial para turbinar seu fluxo de trabalho","About":"Sobre","Account":"Conta","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"Adicione uma barra invertida (<0>\\\\) antes de quaisquer caracteres especiais: <1>(, <2>:, <3>#, ou <4>.","Add some steps":"Adicione alguns passos","Advanced":"Avançado","Align Horizontally":"Alinhar Horizontalmente","Align Nodes":"Alinhar Nós","Align Vertically":"Alinhar Verticalmente","All this for just $4/month - less than your daily coffee ☕":"Tudo isso por apenas $4/mês - menos que o seu café diário ☕","Amount":"Total","An error occurred. Try resubmitting or email {0} directly.":["Ocorreu um erro. Tente reenviar ou envie um e-mail direto para ",["0"],"."],"Appearance":"Aparência","Are my flowcharts private?":"Meus fluxogramas são privados?","Are there usage limits?":"Existem limites de uso?","Are you sure you want to delete the flowchart \\"{0}\\"? This action cannot be undone.":"Tem certeza de que deseja excluir o fluxograma? ","Are you sure you want to delete the folder \\"{0}\\" and all its contents? This action cannot be undone.":"Tem certeza de que deseja excluir a pasta? ","Are you sure you want to delete the folder \\"{0}\\"? This action cannot be undone.":"Tem certeza de que deseja excluir a pasta? ","Are you sure?":"Tem certeza?","Arrow Size":"Tamanho da Seta","Attributes":"Atributos","August 2023":"Agosto de 2023","Back":"Voltar","Back To Editor":"Voltar ao editor","Background Color":"Cor de Fundo","Basic Flowchart":"Fluxograma Básico","Become a Github Sponsor":"Seja um patrocinador do Github","Become a Pro User":"Se torne um usuário Pro","Begin your journey":"Comece sua jornada","Billed annually at $24":"Cobrado anualmente a $24","Billed monthly at $4":"Cobrado mensalmente em $4","Blog":"Blog","Book a Meeting":"Reserve uma Reunião","Border Color":"Cor da Borda","Border Width":"Largura da Borda","Bottom to Top":"De baixo para cima","Breadthfirst":"Por extensão","Build your personal flowchart library":"Construa sua biblioteca pessoal de fluxogramas","Cancel":"Cancelar","Cancel anytime":"Cancelar a qualquer momento","Cancel your subscription. Your hosted charts will become read-only.":"Cancele sua inscrição. Seus diagramas hospedados não serão modificáveis.","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"Cancelar é fácil. Basta ir para a página da sua conta, rolar até o final e clicar em cancelar. Se você não estiver completamente satisfeito, oferecemos um reembolso no seu primeiro pagamento.","Certain attributes can be used to customize the appearance or functionality of elements.":"Certos atributos podem ser usados para personalizar a aparência ou funcionalidade dos elementos.","Change Email Address":"Mude o endereço de email","Changelog":"Registro de alterações","Charts":"Diagramas","Check out the guide:":"Confira o guia:","Check your email for a link to log in.<0/>You can close this window.":"Verifique seu e-mail para um link para fazer login. Você pode fechar esta janela.","Choose":"Escolha","Choose Template":"Escolha o Modelo","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"Escolha entre uma variedade de formas de seta para a origem e o destino de uma aresta. As formas incluem triângulo, triângulo-tee, triângulo-círculo, triângulo-cruz, triângulo-curva-inversa, vee, tee, quadrado, círculo, diamante, chevron e nenhum.","Choose how edges connect between nodes":"Escolha como as arestas se conectam entre os nós","Choose how nodes are automatically arranged in your flowchart":"Escolha como os nós são automaticamente dispostos em seu fluxograma","Circle":"Círculo","Classes":"Classes","Clear":"Apagar","Clear text?":"Limpar o texto?","Clone":"Clonar","Clone Flowchart":"Clonar Fluxograma","Close":"Fechar","Color":"Cor","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"As cores incluem vermelho, laranja, amarelo, azul, roxo, preto, branco e cinza.","Column":"Coluna","Comment":"Comente","Compare our plans and find the perfect fit for your flowcharting needs":"Compare nossos planos e encontre o ajuste perfeito para suas necessidades de fluxograma","Concentric":"Concêntrico","Confirm New Email":"Confirme o novo email","Confirm your email address to sign in.":"Confirme seu endereço de e-mail para fazer login.","Connect your Data":"Conecte seus Dados","Containers":"Recipientes","Containers are nodes that contain other nodes. They are declared using curly braces.":"Os containers são nós que contêm outros nós. Eles são declarados usando chaves.","Continue":"Continuar","Continue in Sandbox (Resets daily, work not saved)":"Continuar no Sandbox (Redefine diariamente, trabalho não salvo)","Controls the flow direction of hierarchical layouts":"Controla a direção do fluxo dos layouts hierárquicos","Convert":"Converter","Convert to Flowchart":"Converter para Fluxograma","Convert to hosted chart?":"Converter em diagrama hospedado?","Cookie Policy":"Política de Cookies","Copied SVG code to clipboard":"Código SVG copiado para a área de transferência","Copied {format} to clipboard":[["format"]," copiado para a área de transferência"],"Copy":"Copiar","Copy PNG Image":"Copiar imagem PNG","Copy SVG Code":"Copiar código SVG","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"Copie o seu código Excalidraw e cole-o em <0>excalidraw.com para editar. Esta funcionalidade é experimental e pode não funcionar com todos os diagramas. Se você encontrar um bug, por favor <1>deixe-nos saber.","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"Copie seu código mermaid.js ou abra diretamente no editor ao vivo mermaid.js.","Create":"Criar","Create Flowcharts using AI":"Criar Fluxogramas usando IA","Create Unlimited Flowcharts":"Crie fluxogramas ilimitados","Create a New Chart":"Criar um Novo Gráfico","Create a flowchart showing the steps of planning and executing a school fundraising event":"Criar um fluxograma mostrando os passos de planejamento e execução de um evento de arrecadação de fundos escolar","Create a new flowchart to get started or organize your work with folders.":"Crie um novo fluxograma para começar ou organize seu trabalho com pastas.","Create flowcharts instantly: Type or paste text, see it visualized.":"Crie fluxogramas instantaneamente: Digite ou cole o texto, veja-o visualizado.","Create unlimited diagrams for just $4/month!":"Crie diagramas ilimitados por apenas $4/mês!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"Crie fluxogramas ilimitados armazenados na nuvem - acessíveis em qualquer lugar!","Create with AI":"Crie com IA","Created Date":"Data de Criação","Creating an edge between two nodes is done by indenting the second node below the first":"Criar uma aresta entre dois nós é feito indentando o segundo nó abaixo do primeiro","Curve Style":"Estilo de Curva","Custom CSS":"CSS Personalizado","Custom Sharing Options":"Opções de Compartilhamento Personalizadas","Customer Portal":"Portal do cliente","Daily Sandbox Editor":"Editor de Sandbox diário","Dark":"Escuro","Dark Mode":"Modo escuro","Data Import (Visio, Lucidchart, CSV)":"Importação de dados (Visio, Lucidchart, CSV)","Data import feature for complex diagrams":"Funcionalidade de importação de dados para diagramas complexos","Date":"Data","Delete":"Excluir","Delete {0}":["Excluir ",["0"]],"Design a software development lifecycle flowchart for an agile team":"Projetar um fluxograma do ciclo de vida de desenvolvimento de software para uma equipe ágil","Develop a decision tree for a CEO to evaluate potential new market opportunities":"Desenvolver uma árvore de decisão para um CEO avaliar novas oportunidades de mercado potenciais","Direction":"Direção","Dismiss":"Dispensar","Do you have a free trial?":"Você tem um teste gratuito?","Do you offer a non-profit discount?":"Você oferece desconto para organizações sem fins lucrativos?","Do you want to delete this?":"Você deseja deletar isso?","Document":"Documento","Don\'t Lose Your Work":"Não Perca Seu Trabalho","Download":"Baixar","Download JPG":"Baixar JPG","Download PNG":"Baixar PNG","Download SVG":"Baixar SVG","Drag and drop a CSV file here, or click to select a file":"Arraste e solte um arquivo CSV aqui ou clique para selecionar um arquivo","Draw an edge from multiple nodes by beginning the line with a reference":"Desenhe uma aresta de vários nós começando a linha com uma referência","Drop the file here ...":"Solte o arquivo aqui ...","Each line becomes a node":"Cada linha se torna um nó","Edge ID, Classes, Attributes":"ID de Borda, Classes, Atributos","Edge Label":"Rótulo de Borda","Edge Label Column":"Coluna de Rótulo de Borda","Edge Style":"Estilo de Borda","Edge Text Size":"Tamanho do Texto da Borda","Edge missing indentation":"Recuo em falta na borda","Edges":"Bordas","Edges are declared in the same row as their source node":"As bordas são declaradas na mesma linha que seu nó de origem","Edges are declared in the same row as their target node":"As bordas são declaradas na mesma linha que seu nó de destino","Edges are declared in their own row":"As bordas são declaradas em sua própria linha","Edges can also have ID\'s, classes, and attributes before the label":"As bordas também podem ter ID\'s, classes e atributos antes da etiqueta","Edges can be styled with dashed, dotted, or solid lines":"As bordas podem ser estilizadas com linhas tracejadas, pontilhadas ou sólidas","Edges in Separate Rows":"Bordas em Linhas Separadas","Edges in Source Node Row":"Bordas na Linha do Nó de Origem","Edges in Target Node Row":"Bordas na Linha do Nó de Destino","Edit":"Editar","Edit with AI":"Edição com IA","Editable":"Editável","Editor":"Editor","Email":"E-mail","Empty":"Vazio","Enable to set a consistent height for all nodes":"Ativar para definir uma altura consistente para todos os nós","Enter a name for the cloned flowchart.":"Insira um nome para o fluxograma clonado.","Enter a name for the new folder.":"Insira um nome para a nova pasta.","Enter a new name for the {0}.":["Insira um novo nome para o ",["0"],"."],"Enter your email address and we\'ll send you a magic link to sign in.":"Digite seu endereço de e-mail e enviaremos um link mágico para fazer login.","Enter your email address below and we\'ll send you a link to reset your password.":"Digite seu endereço de e-mail abaixo e enviaremos um link para redefinir sua senha.","Equal To":"Igual a","Everything you need to know about Flowchart Fun Pro":"Tudo o que você precisa saber sobre o Flowchart Fun Pro","Examples":"Exemplos","Excalidraw":"Excalidraw","Exclusive Office Hours":"Horário de atendimento exclusivo","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"Experimente a eficiência e segurança de carregar arquivos locais diretamente em seu fluxograma, perfeito para gerenciar documentos relacionados ao trabalho offline. Desbloqueie esse recurso exclusivo do Pro e muito mais com o Flowchart Fun Pro, disponível por apenas $4/mês.","Explore more":"Explore mais","Export":"Exportar","Export clean diagrams without branding":"Exporte diagramas limpos sem marcação","Export to PNG & JPG":"Exportar para PNG e JPG","Export to PNG, JPG, and SVG":"Exportar para PNG, JPG e SVG","Feature Breakdown":"Descrição das funcionalidades","Feedback":"Feedback","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"Sinta-se à vontade para explorar e entrar em contato conosco através da página <0>Feedback se tiver alguma preocupação.","Fine-tune layouts and visual styles":"Ajuste layouts e estilos visuais","Fixed Height":"Altura fixa","Fixed Node Height":"Altura do Nó Fixa","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"O Flowchart Fun Pro oferece fluxogramas ilimitados, colaboradores ilimitados e armazenamento ilimitado por apenas $4/mês.","Follow Us on Twitter":"Siga-nos no Twitter","Font Family":"Família de Fontes","Forgot your password?":"Esqueceu sua senha?","Found a bug? Have a feature request? We would love to hear from you!":"Encontrou um bug? Tem uma solicitação de recurso? Adoraríamos ouvir de você!","Free":"Grátis ","Frequently Asked Questions":"Perguntas frequentes","Full-screen, read-only, and template sharing":"Compartilhamento em tela cheia, somente leitura e modelos","Fullscreen":"Tela cheia","General":"Geral","Generate flowcharts from text automatically":"Gere fluxogramas automaticamente a partir de texto","Get Pro Access Now":"Obtenha acesso Pro agora","Get Unlimited AI Requests":"Obtenha solicitações ilimitadas de IA","Get rapid responses to your questions":"Obtenha respostas rápidas para suas perguntas","Get unlimited flowcharts and premium features":"Obtenha fluxogramas ilimitados e recursos premium","Go back home":"Volte para casa","Go to the Editor":"Vá para o Editor","Go to your Sandbox":"Vá para sua caixa de areia","Graph":"Diagrama","Green?":"Verde?","Grid":"Grade","Have complex questions or issues? We\'re here to help.":"Tem questões ou problemas complexos? Estamos aqui para ajudar.","Here are some Pro features you can now enjoy.":"Aqui estão algumas funcionalidades Pro que você pode desfrutar agora.","High-quality exports with embedded fonts":"Exportações de alta qualidade com fontes incorporadas","History":"Histórico","Home":"Página inicial","How are edges declared in this data?":"Como as arestas são declaradas nestes dados?","How do I cancel my subscription?":"Como faço para cancelar minha assinatura?","How does AI flowchart generation work?":"Como funciona a geração de fluxogramas por AI?","How would you like to save your chart?":"Como você gostaria de salvar seu gráfico?","I would like to request a new template:":"Eu gostaria de solicitar um novo modelo:","ID\'s":"IDs","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"Se uma conta com esse e-mail existir, enviamos um e-mail com instruções sobre como redefinir sua senha.","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"Se você gosta de usar <0>Flowchart Fun, por favor, considere apoiar o projeto","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"Se você quiser criar uma borda, indente esta linha. Se não, escape o dois-pontos com uma barra invertida <0>\\\\:","Images":"Imagens","Import Data":"Importar dados","Import data from a CSV file.":"Importar dados de um arquivo CSV.","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"Importar dados de qualquer arquivo CSV e mapeá-los para um novo fluxograma. Esta é uma ótima maneira de importar dados de outras fontes, como Lucidchart, Google Sheets e Visio.","Import from CSV":"Importar do CSV","Import from Visio, Lucidchart, and CSV":"Importar de Visio, Lucidchart e CSV","Import from popular diagram tools":"Importe de ferramentas populares de diagramas","Import your diagram it into Microsoft Visio using one of these CSV files.":"Importe seu diagrama para o Microsoft Visio usando um desses arquivos CSV.","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"Importar dados é um recurso profissional. Você pode atualizar para o Flowchart Fun Pro por apenas $4/mês.","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"Inclua um título usando um atributo <0>title. Para usar a coloração do Visio, adicione um atributo <1>roleType igual a uma das seguintes opções:","Indent to connect nodes":"Identar para conectar os nós","Info":"Informações","Is":"É","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"O JSON Canvas é uma representação JSON do seu diagrama usado pelo <0>Obsidian Canvas e outras aplicações.","Join 2000+ professionals who\'ve upgraded their workflow":"Junte-se a mais de 2000 profissionais que aprimoraram seu fluxo de trabalho","Join thousands of happy users who love Flowchart Fun":"Junte-se a milhares de usuários felizes que amam o Flowchart Fun","Keep Things Private":"Mantenha as coisas privadas","Keep changes?":"Manter alterações?","Keep practicing":"Continue praticando","Keep your data private on your computer":"Mantenha seus dados privados em seu computador","Language":"Idioma","Layout":"Layout","Layout Algorithm":"Algoritmo de layout","Layout Frozen":"Layout Congelado","Leading References":"Principais Referências","Learn More":"Saber mais","Learn Syntax":"Aprender Sintaxe","Learn about Flowchart Fun Pro":"Saiba mais sobre o Flowchart Fun Pro","Left to Right":"Da esquerda para direita","Let us know why you\'re canceling. We\'re always looking to improve.":"Deixe-nos saber por que você está cancelando. Estamos sempre procurando melhorar.","Light":"Claro","Light Mode":"Modo claro","Link":"Link","Link back":"Voltar ao link","Load":"Carregar","Load Chart":"Carregar Gráfico","Load File":"Carregar Arquivo","Load Files":"Carregar Arquivos","Load default content":"Carregar conteúdo padrão","Load from link?":"Carregar a partir do link?","Load layout and styles":"Carregar layout e estilos","Loading...":"Carregando...","Local File Support":"Suporte de Arquivo Local","Local saving for offline access":"Salvamento local para acesso offline","Lock Zoom to Graph":"Bloquear Zoom para o Gráfico","Log In":"Acessar","Log Out":"Deslogar","Log in to Save":"Faça login para salvar","Log in to upgrade your account":"Faça login para atualizar sua conta","Make a One-Time Donation":"Faça uma Doação Única","Make publicly accessible":"Tornar publicamente acessível","Manage Billing":"Gerenciar Faturamento","Map Data":"Mapear Dados","Maximum width of text inside nodes":"Largura máxima do texto dentro dos nós","Monthly":"Mensal","Move":"Mover","Move {0}":["Mover ",["0"]],"Multiple pointers on same line":"Múltiplos ponteiros na mesma linha","My dog ate my credit card!":"Meu cachorro comeu meu cartão de crédito!","Name":"Nome","Name Chart":"Nome do Gráfico","Name your chart":"Dê um nome ao seu gráfico","New":"Novo","New Email":"Novo Email","New Flowchart":"Novo Fluxograma","New Folder":"Nova Pasta","Next charge":"Próxima cobrança","No Edges":"Sem Bordas","No Folder (Root)":"Sem Pasta (Raiz)","No Watermarks!":"Sem Marca d\'Água!","No charts yet":"Nenhum gráfico ainda","No items in this folder":"Nenhum item nesta pasta","No matching charts found":"Nenhum gráfico correspondente encontrado","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"Não, não há limites de uso com o plano Pro. Aproveite a criação de fluxogramas ilimitada e recursos de AI, dando a você a liberdade de explorar e inovar sem restrições.","Node Border Style":"Estilo de Borda do Nó","Node Colors":"Cores do Nó","Node ID":"ID do Nó","Node ID, Classes, Attributes":"ID do Nó, Classes, Atributos","Node Label":"Rótulo do Nó","Node Shape":"Forma do Nó","Node Shapes":"Formas do Nó","Nodes":"Nós","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"Nós podem ser estilizados com traços, pontos ou duplos. Bordas também podem ser removidas com border_none.","Not Empty":"Não Vazio","Now you\'re thinking with flowcharts!":"Agora você está pensando com fluxogramas!","Office Hours":"Horário de trabalho","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":" vez em quando, o link mágico acabará em sua pasta de spam. Se você não o vir após alguns minutos, verifique lá ou solicite um novo link.","One on One Support":"Suporte Um a Um","One-on-One Support":"Suporte Individual","Open Customer Portal":"Abra o portal do cliente","Operation canceled":"Operação cancelada","Or maybe blue!":"Ou talvez azul!","Organization Chart":"Gráfico de Organização","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"Nossa AI cria diagramas a partir de suas sugestões de texto, permitindo edições manuais perfeitas ou ajustes assistidos por AI. Ao contrário de outros, nosso plano Pro oferece gerações e edições ilimitadas por AI, capacitando você a criar sem limites.","Padding":"Espaçamento","Page not found":"Página não encontrada","Password":"Senha","Past Due":"Atrasado","Paste a document to convert it":"Cole um documento para convertê-lo","Paste your document or outline here to convert it into an organized flowchart.":"Cole seu documento ou esboço aqui para convertê-lo em um fluxograma organizado.","Pasted content detected. Convert to Flowchart Fun syntax?":"Conteúdo colado detectado. Converter para a sintaxe do Flowchart Fun?","Perfect for docs and quick sharing":"Perfeito para documentos e compartilhamento rápido","Permanent Charts are a Pro Feature":"Gráficos permanentes são um recurso Pro","Playbook":"Cartilha","Pointer and container on same line":"Ponteiro e contêiner na mesma linha","Priority One-on-One Support":"Suporte prioritário um a um","Privacy Policy":"Política de Privacidade","Pro tip: Right-click any node to customize its shape and color":"Dica profissional: Clique com o botão direito em qualquer nó para personalizar sua forma e cor.","Processing Data":"Processando Dados","Processing...":"Processando...","Prompt":"Sugestão","Public":"Público","Quick experimentation space that resets daily":"Espaço de experimentação rápida que é reiniciado diariamente","Random":"Aleatório","Rapid Deployment Templates":"Modelos de implantação rápida","Rapid Templates":"Modelos Rápidos","Raster Export (PNG, JPG)":"Exportação de Raster (PNG, JPG)","Rate limit exceeded. Please try again later.":"Limite de taxa excedido. Por favor, tente novamente mais tarde.","Read-only":"Somente leitura","Reference by Class":"Referência por Classe","Reference by ID":"Referência por ID","Reference by Label":"Referência por Rótulo","References":"Referências","References are used to create edges between nodes that are created elsewhere in the document":"Referências são usadas para criar arestas entre nós que são criados em outro lugar no documento","Referencing a node by its exact label":"Referenciando um nó pelo seu rótulo exato","Referencing a node by its unique ID":"Referenciando um nó pelo seu ID único","Referencing multiple nodes with the same assigned class":"Referenciando vários nós com a mesma classe atribuída","Refresh Page":"Atualizar Página","Reload to Update":"Recarregar para Atualizar","Rename":"Renomear","Rename {0}":["Renomear ",["0"]],"Request Magic Link":"Solicitar Link Mágico","Request Password Reset":"Solicitar Redefinição de Senha","Reset":"Resetar","Reset Password":"Redefinir Senha","Resume Subscription":"Resumir inscrição","Return":"Retornar","Right to Left":"Da direita para esquerda","Right-click nodes for options":"Clique com o botão direito nos nós para ver as opções","Roadmap":"Roteiro","Rotate Label":"Rotular Rotação","SVG Export is a Pro Feature":"A exportação de SVG é uma funcionalidade Pro","Satisfaction guaranteed or first payment refunded":"Satisfação garantida ou primeiro pagamento reembolsado","Save":"Salvar","Save time with AI and dictation, making it easy to create diagrams.":"Economize tempo com IA e ditado, facilitando a criação de diagramas.","Save to Cloud":"Salvar para Nuvem","Save to File":"Salvar para Arquivo","Save your Work":"Salve seu trabalho","Schedule personal consultation sessions":"Agende sessões de consulta pessoal","Secure payment":"Pagamento seguro","See more reviews on Product Hunt":"Veja mais avaliações no Product Hunt","Select a destination folder for \\"{0}\\".":"Selecione uma pasta de destino para \\\\","Set a consistent height for all nodes":"Definir uma altura consistente para todos os nós","Settings":"Configurações","Share":"Compartilhar","Sign In":"Entrar","Sign in with <0>GitHub":"Entrar com <0>GitHub","Sign in with <0>Google":"Entrar com <0>Google","Sorry! This page is only available in English.":"Sinto muito! Esta página só está disponível em inglês.","Sorry, there was an error converting the text to a flowchart. Try again later.":"Desculpe, houve um erro ao converter o texto em um fluxograma. Tente novamente mais tarde.","Sort Ascending":"Ordenar em ordem crescente","Sort Descending":"Classificação Descrescente","Sort by {0}":["Classificar por ",["0"]],"Source Arrow Shape":"Forma da Seta de Origem","Source Column":"Coluna de Origem","Source Delimiter":"Delimitador de Origem","Source Distance From Node":"Distância da Origem ao Nó","Source/Target Arrow Shape":"Forma da Seta de Origem/Destino","Spacing":"Espaçamento","Special Attributes":"Atributos Especiais","Start":"Início","Start Over":"Recomeçar","Start faster with use-case specific templates":"Comece mais rápido com modelos específicos de casos de uso","Status":"Status","Step 1":"Passo 1","Step 2":"Passo 2","Step 3":"Passo 3","Store any data associated to a node":"Armazenar quaisquer dados associados a um nó","Style Classes":"Classes de Estilo","Style with classes":"Estilizar com classes","Submit":"Enviar","Subscribe to Pro and flowchart the fun way!":"Assine o Pro e crie fluxogramas de forma divertida!","Subscription":"Inscrição","Subscription Successful!":"Assinatura bem-sucedida!","Subscription will end":"Inscrição acabará","Target Arrow Shape":"Forma da Seta de Destino","Target Column":"Coluna Alvo","Target Delimiter":"Delimitador Alvo","Target Distance From Node":"Distância-alvo do Nó","Text Color":"Cor do Texto","Text Horizontal Offset":"Deslocamento Horizontal do Texto","Text Leading":"Texto Principal","Text Max Width":"Largura Máxima do Texto","Text Vertical Offset":"Deslocamento Vertical do Texto","Text followed by colon+space creates an edge with the text as the label":"Texto seguido de dois-pontos+espaço cria uma aresta com o texto como rótulo","Text on a line creates a node with the text as the label":"Texto em uma linha cria um nó com o texto como rótulo","Thank you for your feedback!":"Agradecimentos pelo seu feedback!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"A melhor maneira de mudar os estilos é clicar com o botão direito do mouse em um nó ou borda e selecionar o estilo desejado.","The column that contains the edge label(s)":"A coluna que contém o(s) rótulo(s) da aresta","The column that contains the source node ID(s)":"A coluna que contém o(s) ID(s) do nó de origem","The column that contains the target node ID(s)":"A coluna que contém o(s) ID(s) do nó de destino","The delimiter used to separate multiple source nodes":"O delimitador usado para separar vários nós de origem","The delimiter used to separate multiple target nodes":"O delimitador usado para separar vários nós de destino","The possible shapes are:":"As formas possíveis são:","Theme":"Tema","Theme Customization Editor":"Editor de Personalização de Temas","Theme Editor":"Editor de Temas","There are no edges in this data":"Não há arestas nestes dados","This action cannot be undone.":"Esta ação não pode ser desfeita.","This feature is only available to pro users. <0>Become a pro user to unlock it.":"Esta funcionalidade está disponível apenas para usuários Pro. <0>Torne-se um usuário Pro para desbloqueá-la.","This may take between 30 seconds and 2 minutes depending on the length of your input.":"Isso pode levar entre 30 segundos e 2 minutos, dependendo do tamanho da sua entrada.","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"Esta caixa de areia é perfeita para experimentar, mas lembre-se - ela é resetada diariamente. Faça o upgrade agora e mantenha seu trabalho atual!","This will replace the current content.":"Isso substituirá o conteúdo atual.","This will replace your current chart content with the template content.":"Isso irá substituir o conteúdo atual do seu gráfico pelo conteúdo do modelo.","This will replace your current sandbox.":"Isso substituirá sua sandbox atual.","Time to decide":"Hora de decidir","Tip":"Dica","To fix this change one of the edge IDs":"Para corrigir isso, altere um dos IDs de borda","To fix this change one of the node IDs":"Para corrigir isso, altere um dos IDs de nó","To fix this move one pointer to the next line":"Para corrigir isso, mova um ponteiro para a próxima linha","To fix this start the container <0/> on a different line":"Para corrigir isso, inicie o container <0/> em uma linha diferente","To learn more about why we require you to log in, please read <0>this blog post.":"Para saber mais sobre por que precisamos que você faça login, leia <0>este post no blog.","Top to Bottom":"De cima para baixo","Transform Your Ideas into Professional Diagrams in Seconds":"Transforme Suas Ideias em Diagramas Profissionais em Segundos","Transform text into diagrams instantly":"Transforme texto em diagramas instantaneamente.","Trusted by Professionals and Academics":"Confiável por profissionais e acadêmicos","Try AI":"Experimente IA","Try adjusting your search or filters to find what you\'re looking for.":"Tente ajustar sua pesquisa ou filtros para encontrar o que procura.","Try again":"Tente novamente","Turn your ideas into professional diagrams in seconds":"Transforme suas ideias em diagramas profissionais em segundos.","Two edges have the same ID":"Dois bordos têm o mesmo ID","Two nodes have the same ID":"Dois nós têm o mesmo ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"Ops, você esgotou suas solicitações gratuitas! Atualize para o Flowchart Fun Pro e tenha conversões ilimitadas de diagramas, e continue transformando textos em fluxogramas claros e visuais com a mesma facilidade de copiar e colar.","Unescaped special character":"Caractere especial não escapado","Unique text value to identify a node":"Valor de texto único para identificar um nó","Unknown":"Desconhecido","Unknown Parsing Error":"Erro de Análise Desconhecido","Unlimited Flowcharts":"Fluxogramas ilimitados.","Unlimited Permanent Flowcharts":"Fluxogramas Permanentes Ilimitados","Unlimited cloud-saved flowcharts":"Fluxogramas ilimitados salvos na nuvem","Unlock AI Features and never lose your work with a Pro account.":"Desbloqueie recursos de IA e nunca perca seu trabalho com uma conta Pro.","Unlock Unlimited AI Flowcharts":"Desbloqueie Fluxogramas de IA ilimitados","Unpaid":"Não pago","Update Email":"Atualizar e-mail","Updated Date":"Data Atualizada","Upgrade Now - Save My Work":"Faça o upgrade agora - Salve Meu Trabalho","Upgrade to Flowchart Fun Pro and unlock:":"Faça o upgrade para o Flowchart Fun Pro e desbloqueie:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"Atualize para o Flowchart Fun Pro para desbloquear a exportação de SVG e aproveitar recursos mais avançados para seus diagramas.","Upgrade to Pro":"Atualize para Pro","Upgrade to Pro for $2/month":"Atualize para a versão Pro por $2/mês","Upload your File":"Faça o upload do seu arquivo","Use Custom CSS Only":"Usar Somente CSS Personalizado","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"Usa o Lucidchart ou o Visio? A importação de CSV torna fácil obter dados de qualquer fonte!","Use classes to group nodes":"Use classes para agrupar nós","Use the attribute <0>href to set a link on a node that opens in a new tab.":"Use o atributo <0>href para definir um link em um nó que abra em uma nova guia.","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"Use o atributo <0>src para definir a imagem de um nó. A imagem será dimensionada para caber no nó, então você pode precisar ajustar a largura e altura do nó para obter o resultado desejado. Apenas imagens públicas (não bloqueadas por CORS) são suportadas.","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"Use os atributos <0>w e <1>h para definir explicitamente a largura e altura de um nó.","Use the customer portal to change your billing information.":"Use o portal do cliente para alterar suas informações de cobrança.","Use these settings to adapt the look and behavior of your flowcharts":"Use essas configurações para adaptar a aparência e o comportamento de seus fluxogramas","Use this file for org charts, hierarchies, and other organizational structures.":"Use este arquivo para organogramas, hierarquias e outras estruturas organizacionais.","Use this file for sequences, processes, and workflows.":"Use este arquivo para sequências, processos e fluxos de trabalho.","Use this mode to modify and enhance your current chart.":"Use este modo para modificar e aprimorar seu fluxograma atual.","User":"Usuário","Vector Export (SVG)":"Exportação de Vetor (SVG)","View on Github":"Visualizar no Github","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"Quer criar um fluxograma a partir de um documento? Cole-o no editor e clique em \'Converter em Fluxograma\'.","Watermark-Free Diagrams":"Diagramas sem marca d\'água","Watermarks":"Marca d\'água","Welcome to Flowchart Fun":"Bem-vindo ao Flowchart Fun","What our users are saying":"O que nossos usuários estão dizendo","What\'s next?":"E o próximo passo?","What\'s this?":"O que é isso?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"Embora não ofereçamos um teste gratuito, nossos preços são projetados para serem o mais acessíveis possível, especialmente para estudantes e educadores. Por apenas $4 por mês, você pode explorar todos os recursos e decidir se é o ideal para você. Sinta-se à vontade para se inscrever, experimentar e se inscrever novamente sempre que precisar.","Width":"Largura","Width and Height":"Largura e Altura","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"Com a versão Pro do Flowchart Fun, você pode usar comandos em linguagem natural para rapidamente detalhar seu fluxograma, ideal para criar diagramas em qualquer lugar. Por apenas $4 por mês, obtenha a facilidade de edição de IA acessível para aprimorar sua experiência de fluxograma.","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"Com a versão pro, você pode salvar e carregar arquivos locais. É perfeito para gerenciar documentos relacionados ao trabalho offline.","Would you like to continue?":"Você gostaria de continuar?","Would you like to suggest a new example?":"Gostaria de sugerir um novo exemplo?","Wrap text in parentheses to connect to any node":"Envolver o texto entre parênteses para se conectar a qualquer nó","Write like an outline":"Escreva como um esboço","Write your prompt here or click to enable the microphone, then press and hold to record.":"Escreva sua instrução aqui ou clique para ativar o microfone, depois pressione e segure para gravar.","Yearly":"Anualmente","Yes, Replace Content":"Sim, Substituir Conteúdo","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"Sim, oferecemos descontos especiais para organizações sem fins lucrativos. Entre em contato conosco com seu status de organização sem fins lucrativos para saber mais sobre como podemos ajudar sua organização.","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"Sim, seus fluxogramas em nuvem só são acessíveis quando você está logado. Além disso, você pode salvar e carregar arquivos localmente, perfeito para gerenciar documentos sensíveis relacionados ao trabalho offline.","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["Você está prestes a adicionar ",["numNodes"]," nós e ",["numEdges"]," arestas ao seu gráfico."],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"Você pode criar fluxogramas permanentes ilimitados com <0>Flowchart Fun Pro.","You need to log in to access this page.":"Você precisa fazer login para acessar esta página.","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"Você já é um usuário Pro. <0>Gerenciar Assinatura<1/>Tem perguntas ou solicitações de recursos? <2>Deixe-nos saber","You\'re doing great!":"Você está indo muito bem!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"Você usou todas as suas conversões de IA gratuitas. Faça upgrade para o Pro e tenha uso ilimitado de IA, temas personalizados, compartilhamento privado e muito mais. Continue criando incríveis fluxogramas sem esforço!","Your Charts":"Seus Gráficos","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"Sua caixa de areia é um espaço para experimentar livremente com nossas ferramentas de fluxograma, resetando todos os dias para um começo fresco.","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"Seus gráficos são somente leitura porque sua conta não está mais ativa. Visite sua página de <0>conta para saber mais.","Your subscription is <0>{statusDisplay}.":["Sua assinatura está <0>",["statusDisplay"],"."],"Zoom In":"Zoom In","Zoom Out":"Diminuir o zoom","month":"mês","or":"ou","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' ), }; diff --git a/app/src/locales/pt-br/messages.po b/app/src/locales/pt-br/messages.po index e669813c3..821e13950 100644 --- a/app/src/locales/pt-br/messages.po +++ b/app/src/locales/pt-br/messages.po @@ -110,6 +110,18 @@ msgstr "Meus fluxogramas são privados?" msgid "Are there usage limits?" msgstr "Existem limites de uso?" +#: src/components/charts/ChartModals.tsx:50 +msgid "Are you sure you want to delete the flowchart \"{0}\"? This action cannot be undone." +msgstr "Tem certeza de que deseja excluir o fluxograma? " + +#: src/components/charts/ChartModals.tsx:39 +msgid "Are you sure you want to delete the folder \"{0}\" and all its contents? This action cannot be undone." +msgstr "Tem certeza de que deseja excluir a pasta? " + +#: src/components/charts/ChartModals.tsx:44 +msgid "Are you sure you want to delete the folder \"{0}\"? This action cannot be undone." +msgstr "Tem certeza de que deseja excluir a pasta? " + #: src/components/LoadTemplateDialog.tsx:121 msgid "Are you sure?" msgstr "Tem certeza?" @@ -204,6 +216,11 @@ msgstr "Construa sua biblioteca pessoal de fluxogramas" #: src/components/ImportDataDialog.tsx:698 #: src/components/LoadTemplateDialog.tsx:149 #: src/components/RenameButton.tsx:160 +#: src/components/charts/ChartModals.tsx:59 +#: src/components/charts/ChartModals.tsx:129 +#: src/components/charts/ChartModals.tsx:207 +#: src/components/charts/ChartModals.tsx:277 +#: src/components/charts/ChartModals.tsx:440 #: src/pages/Account.tsx:323 #: src/pages/Account.tsx:335 #: src/pages/Account.tsx:426 @@ -287,9 +304,15 @@ msgid "Clear text?" msgstr "Limpar o texto?" #: src/components/CloneButton.tsx:48 +#: src/components/charts/ChartListItem.tsx:191 +#: src/components/charts/ChartModals.tsx:136 msgid "Clone" msgstr "Clonar" +#: src/components/charts/ChartModals.tsx:111 +msgid "Clone Flowchart" +msgstr "Clonar Fluxograma" + #: src/components/LearnSyntaxDialog.tsx:413 msgid "Close" msgstr "Fechar" @@ -398,6 +421,7 @@ msgstr "Copie o seu código Excalidraw e cole-o em <0>excalidraw.com para ed msgid "Copy your mermaid.js code or open it directly in the mermaid.js live editor." msgstr "Copie seu código mermaid.js ou abra diretamente no editor ao vivo mermaid.js." +#: src/components/charts/ChartModals.tsx:284 #: src/pages/New.tsx:184 msgid "Create" msgstr "Criar" @@ -418,6 +442,10 @@ msgstr "Criar um Novo Gráfico" msgid "Create a flowchart showing the steps of planning and executing a school fundraising event" msgstr "Criar um fluxograma mostrando os passos de planejamento e execução de um evento de arrecadação de fundos escolar" +#: src/components/charts/EmptyState.tsx:41 +msgid "Create a new flowchart to get started or organize your work with folders." +msgstr "Crie um novo fluxograma para começar ou organize seu trabalho com pastas." + #: src/components/FlowchartHeader.tsx:44 msgid "Create flowcharts instantly: Type or paste text, see it visualized." msgstr "Crie fluxogramas instantaneamente: Digite ou cole o texto, veja-o visualizado." @@ -434,6 +462,10 @@ msgstr "Crie fluxogramas ilimitados armazenados na nuvem - acessíveis em qualqu msgid "Create with AI" msgstr "Crie com IA" +#: src/components/charts/ChartsToolbar.tsx:103 +msgid "Created Date" +msgstr "Data de Criação" + #: src/components/LearnSyntaxDialog.tsx:167 msgid "Creating an edge between two nodes is done by indenting the second node below the first" msgstr "Criar uma aresta entre dois nós é feito indentando o segundo nó abaixo do primeiro" @@ -481,6 +513,15 @@ msgstr "Funcionalidade de importação de dados para diagramas complexos" msgid "Date" msgstr "Data" +#: src/components/charts/ChartListItem.tsx:205 +#: src/components/charts/ChartModals.tsx:62 +msgid "Delete" +msgstr "Excluir" + +#: src/components/charts/ChartModals.tsx:33 +msgid "Delete {0}" +msgstr "Excluir {0}" + #: src/pages/createExamples.tsx:8 msgid "Design a software development lifecycle flowchart for an agile team" msgstr "Projetar um fluxograma do ciclo de vida de desenvolvimento de software para uma equipe ágil" @@ -653,6 +694,18 @@ msgstr "Vazio" msgid "Enable to set a consistent height for all nodes" msgstr "Ativar para definir uma altura consistente para todos os nós" +#: src/components/charts/ChartModals.tsx:115 +msgid "Enter a name for the cloned flowchart." +msgstr "Insira um nome para o fluxograma clonado." + +#: src/components/charts/ChartModals.tsx:263 +msgid "Enter a name for the new folder." +msgstr "Insira um nome para a nova pasta." + +#: src/components/charts/ChartModals.tsx:191 +msgid "Enter a new name for the {0}." +msgstr "Insira um novo nome para o {0}." + #: src/pages/LogIn.tsx:138 msgid "Enter your email address and we'll send you a magic link to sign in." msgstr "Digite seu endereço de e-mail e enviaremos um link mágico para fazer login." @@ -803,6 +856,7 @@ msgid "Go to the Editor" msgstr "Vá para o Editor" #: src/pages/Charts.tsx:285 +#: src/pages/MyCharts.tsx:241 msgid "Go to your Sandbox" msgstr "Vá para sua caixa de areia" @@ -1048,6 +1102,10 @@ msgstr "Carregar a partir do link?" msgid "Load layout and styles" msgstr "Carregar layout e estilos" +#: src/components/charts/ChartListItem.tsx:236 +msgid "Loading..." +msgstr "Carregando..." + #: src/components/FeatureBreakdown.tsx:83 #: src/pages/Pricing.tsx:63 msgid "Local File Support" @@ -1103,6 +1161,15 @@ msgstr "Largura máxima do texto dentro dos nós" msgid "Monthly" msgstr "Mensal" +#: src/components/charts/ChartListItem.tsx:179 +#: src/components/charts/ChartModals.tsx:443 +msgid "Move" +msgstr "Mover" + +#: src/components/charts/ChartModals.tsx:398 +msgid "Move {0}" +msgstr "Mover {0}" + #: src/lib/parserErrors.tsx:29 msgid "Multiple pointers on same line" msgstr "Múltiplos ponteiros na mesma linha" @@ -1111,6 +1178,10 @@ msgstr "Múltiplos ponteiros na mesma linha" msgid "My dog ate my credit card!" msgstr "Meu cachorro comeu meu cartão de crédito!" +#: src/components/charts/ChartsToolbar.tsx:97 +msgid "Name" +msgstr "Nome" + #: src/pages/New.tsx:108 #: src/pages/New.tsx:116 msgid "Name Chart" @@ -1130,6 +1201,17 @@ msgstr "Novo" msgid "New Email" msgstr "Novo Email" +#: src/components/charts/ChartsToolbar.tsx:139 +#: src/components/charts/EmptyState.tsx:55 +msgid "New Flowchart" +msgstr "Novo Fluxograma" + +#: src/components/charts/ChartModals.tsx:259 +#: src/components/charts/ChartsToolbar.tsx:147 +#: src/components/charts/EmptyState.tsx:62 +msgid "New Folder" +msgstr "Nova Pasta" + #: src/pages/Account.tsx:171 #: src/pages/Account.tsx:472 msgid "Next charge" @@ -1139,10 +1221,26 @@ msgstr "Próxima cobrança" msgid "No Edges" msgstr "Sem Bordas" +#: src/components/charts/ChartModals.tsx:429 +msgid "No Folder (Root)" +msgstr "Sem Pasta (Raiz)" + #: src/pages/Pricing.tsx:67 msgid "No Watermarks!" msgstr "Sem Marca d'Água!" +#: src/components/charts/EmptyState.tsx:30 +msgid "No charts yet" +msgstr "Nenhum gráfico ainda" + +#: src/components/charts/ChartListItem.tsx:253 +msgid "No items in this folder" +msgstr "Nenhum item nesta pasta" + +#: src/components/charts/EmptyState.tsx:28 +msgid "No matching charts found" +msgstr "Nenhum gráfico correspondente encontrado" + #: src/components/FAQ.tsx:23 msgid "No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions." msgstr "Não, não há limites de uso com o plano Pro. Aproveite a criação de fluxogramas ilimitada e recursos de AI, dando a você a liberdade de explorar e inovar sem restrições." @@ -1379,9 +1477,15 @@ msgstr "Recarregar para Atualizar" #: src/components/RenameButton.tsx:100 #: src/components/RenameButton.tsx:121 #: src/components/RenameButton.tsx:163 +#: src/components/charts/ChartListItem.tsx:168 +#: src/components/charts/ChartModals.tsx:214 msgid "Rename" msgstr "Renomear" +#: src/components/charts/ChartModals.tsx:187 +msgid "Rename {0}" +msgstr "Renomear {0}" + #: src/pages/LogIn.tsx:164 msgid "Request Magic Link" msgstr "Solicitar Link Mágico" @@ -1471,6 +1575,10 @@ msgstr "Pagamento seguro" msgid "See more reviews on Product Hunt" msgstr "Veja mais avaliações no Product Hunt" +#: src/components/charts/ChartModals.tsx:402 +msgid "Select a destination folder for \"{0}\"." +msgstr "Selecione uma pasta de destino para \" + #: src/components/Tabs/ThemeTab.tsx:395 msgid "Set a consistent height for all nodes" msgstr "Definir uma altura consistente para todos os nós" @@ -1506,6 +1614,18 @@ msgstr "Sinto muito! Esta página só está disponível em inglês." msgid "Sorry, there was an error converting the text to a flowchart. Try again later." msgstr "Desculpe, houve um erro ao converter o texto em um fluxograma. Tente novamente mais tarde." +#: src/components/charts/ChartsToolbar.tsx:124 +msgid "Sort Ascending" +msgstr "Ordenar em ordem crescente" + +#: src/components/charts/ChartsToolbar.tsx:119 +msgid "Sort Descending" +msgstr "Classificação Descrescente" + +#: src/components/charts/ChartsToolbar.tsx:79 +msgid "Sort by {0}" +msgstr "Classificar por {0}" + #: src/components/Tabs/ThemeTab.tsx:491 #: src/components/Tabs/ThemeTab.tsx:492 msgid "Source Arrow Shape" @@ -1780,6 +1900,10 @@ msgstr "Confiável por profissionais e acadêmicos" msgid "Try AI" msgstr "Experimente IA" +#: src/components/charts/EmptyState.tsx:36 +msgid "Try adjusting your search or filters to find what you're looking for." +msgstr "Tente ajustar sua pesquisa ou filtros para encontrar o que procura." + #: src/components/App.tsx:82 msgid "Try again" msgstr "Tente novamente" @@ -1845,6 +1969,10 @@ msgstr "Não pago" msgid "Update Email" msgstr "Atualizar e-mail" +#: src/components/charts/ChartsToolbar.tsx:109 +msgid "Updated Date" +msgstr "Data Atualizada" + #: src/components/SandboxWarning.tsx:95 msgid "Upgrade Now - Save My Work" msgstr "Faça o upgrade agora - Salve Meu Trabalho" @@ -2037,6 +2165,7 @@ msgid "You've used all your free AI conversions. Upgrade to Pro for unlimited AI msgstr "Você usou todas as suas conversões de IA gratuitas. Faça upgrade para o Pro e tenha uso ilimitado de IA, temas personalizados, compartilhamento privado e muito mais. Continue criando incríveis fluxogramas sem esforço!" #: src/pages/Charts.tsx:93 +#: src/pages/MyCharts.tsx:235 msgid "Your Charts" msgstr "Seus Gráficos" diff --git a/app/src/locales/zh/messages.js b/app/src/locales/zh/messages.js index 143ba48c7..efe8c86bf 100644 --- a/app/src/locales/zh/messages.js +++ b/app/src/locales/zh/messages.js @@ -1,5 +1,5 @@ /*eslint-disable*/ module.exports = { messages: JSON.parse( - '{"1 Temporary Flowchart":"1 临时流程图","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>仅启用自定义CSS。仅应用布局和高级设置。","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun是由<1>Tone Row制作的开源项目","<0>Sign In / <1>Sign Up with email and password":"<0>登录 / <1>注册 使用电子邮件和密码","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>您目前拥有免费帐户。<1/><2>了解我们的Pro功能,并在我们的定价页面上订阅","A new version of the app is available. Please reload to update.":"一个新版本的应用程序可用。请重新加载以更新。","AI Creation & Editing":"AI创建与编辑","AI-Powered Flowchart Creation":"AI驱动的流程图创建","AI-powered editing to supercharge your workflow":"AI动力编辑,让您的工作流程更加高效","About":"关于","Account":"帐户","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"在任何特殊字符之前添加反斜杠 (<0>\\\\): <1>(、<2>:、<3>#或<4>.","Add some steps":"添加一些步骤","Advanced":"高级","Align Horizontally":"水平对齐","Align Nodes":"对齐节点","Align Vertically":"垂直对齐","All this for just $4/month - less than your daily coffee ☕":"所有这些仅需每月4美元 - 不到您每天的咖啡☕","Amount":"数量","An error occurred. Try resubmitting or email {0} directly.":["发生了一个错误。请尝试重新提交或直接发送电子邮件至",["0"],"。"],"Appearance":"外观","Are my flowcharts private?":"我的流程图是私人的吗?","Are there usage limits?":"有使用限制吗?","Are you sure?":"你确定吗?","Arrow Size":"箭头大小","Attributes":"属性","August 2023":"2023 年 8 月","Back":"返回","Back To Editor":"返回编辑器","Background Color":"背景颜色","Basic Flowchart":"基本流程图","Become a Github Sponsor":"成为Github赞助商","Become a Pro User":"成为专业用户","Begin your journey":"开始你的旅程","Billed annually at $24":"年度账单为$24","Billed monthly at $4":"每月收费$4","Blog":"博客","Book a Meeting":"预订会议","Border Color":"边框颜色","Border Width":"边框宽度","Bottom to Top":"从下到上","Breadthfirst":"宽度优先","Build your personal flowchart library":"建立您的个人流程图库","Cancel":"取消","Cancel anytime":"随时取消","Cancel your subscription. Your hosted charts will become read-only.":"取消订阅。您的托管图表将变为只读。","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"取消很容易。只需转到您的帐户页面,滚动到底部,然后单击取消。如果您不完全满意,我们会退还您的第一笔付款。","Certain attributes can be used to customize the appearance or functionality of elements.":"某些属性可用于自定义元素的外观或功能。","Change Email Address":"更改电子邮件地址","Changelog":"变更日志","Charts":"图表","Check out the guide:":"查看指南:","Check your email for a link to log in.<0/>You can close this window.":"检查您的电子邮件以获取登录链接。您可以关闭此窗口。","Choose":"選擇","Choose Template":"选择模板","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"为边缘的源和目标选择各种箭头形状。形状包括三角形,三角形-T,圆形-三角形,三角形-十字,三角形-后曲线,V形,T形,正方形,圆形,菱形,雪花形,无。","Choose how edges connect between nodes":"选择节点之间的边缘连接方式","Choose how nodes are automatically arranged in your flowchart":"选择如何自动排列您的流程图中的节点","Circle":"圆圈","Classes":"类","Clear":"清除","Clear text?":"清除文字?","Clone":"克隆","Close":"关闭","Color":"颜色","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"颜色包括红色,橙色,黄色,蓝色,紫色,黑色,白色和灰色。","Column":"列","Comment":"评论","Compare our plans and find the perfect fit for your flowcharting needs":"比较我们的计划,找到最适合您流程图需求的方案","Concentric":"同心","Confirm New Email":"确认新电子邮件","Confirm your email address to sign in.":"確認您的電子郵件地址以登入。","Connect your Data":"连接您的数据","Containers":"容器","Containers are nodes that contain other nodes. They are declared using curly braces.":"容器是包含其他节点的节点。它们使用大括号声明。","Continue":"继续","Continue in Sandbox (Resets daily, work not saved)":"继续使用沙盒(每天重置,工作不会被保存)","Controls the flow direction of hierarchical layouts":"控制层次布局的流向","Convert":"转换","Convert to Flowchart":"转换为流程图","Convert to hosted chart?":"是否转换为托管图表?","Cookie Policy":"Cookie政策","Copied SVG code to clipboard":"将SVG代码复制到剪贴板","Copied {format} to clipboard":["将",["format"],"复制到剪贴板"],"Copy":"复制","Copy PNG Image":"复制PNG图像","Copy SVG Code":"复制 SVG 代码","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"将你的 Excalidraw 代码复制并粘贴到<0>excalidraw.com以进行编辑。此功能为实验性质,可能无法与所有图表一起使用。如果您发现错误,请<1>告诉我们。","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"复制您的mermaid.js代码或直接在mermaid.js实时编辑器中打开它。","Create":"创建","Create Flowcharts using AI":"使用AI创建流程图","Create Unlimited Flowcharts":"创建无限流程图","Create a New Chart":"创建新图表","Create a flowchart showing the steps of planning and executing a school fundraising event":"创建一个流程图,展示规划和执行学校筹款活动的步骤","Create flowcharts instantly: Type or paste text, see it visualized.":"即时创建流程图:输入或粘贴文本,即可可视化。","Create unlimited diagrams for just $4/month!":"仅需每月$4,即可创建无限的图表!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"在云中存储无限流程图- 随时随地可访问!","Create with AI":"通過AI創建","Creating an edge between two nodes is done by indenting the second node below the first":"在两个节点之间创建边缘是通过将第二个节点缩进第一个节点来完成的","Curve Style":"曲线样式","Custom CSS":"自定义CSS","Custom Sharing Options":"自定义分享选项","Customer Portal":"客户门户","Daily Sandbox Editor":"每日沙盒编辑器","Dark":"深色","Dark Mode":"深色模式","Data Import (Visio, Lucidchart, CSV)":"数据导入(Visio,Lucidchart,CSV)","Data import feature for complex diagrams":"数据导入功能,适用于复杂的图表","Date":"日期","Design a software development lifecycle flowchart for an agile team":"为敏捷团队设计一个软件开发生命周期流程图","Develop a decision tree for a CEO to evaluate potential new market opportunities":"为CEO设计一个决策树,评估潜在的新市场机会","Direction":"方向","Dismiss":"解散","Do you have a free trial?":"你有免费试用吗?","Do you offer a non-profit discount?":"你提供非盈利折扣吗?","Do you want to delete this?":"您要将其删除吗?","Document":"文档","Don\'t Lose Your Work":"不要丢失你的工作","Download":"下载","Download JPG":"下载 JPG","Download PNG":"下载 PNG","Download SVG":"下载 SVG","Drag and drop a CSV file here, or click to select a file":"将CSV文件拖放到此处,或单击以选择文件","Draw an edge from multiple nodes by beginning the line with a reference":"通过引用开始行从多个节点绘制边缘","Drop the file here ...":"將檔案拖放到這裡...","Each line becomes a node":"每一行都变成一个节点","Edge ID, Classes, Attributes":"邊緣ID、類別和屬性","Edge Label":"邊緣標籤","Edge Label Column":"邊緣標籤欄","Edge Style":"邊緣樣式","Edge Text Size":"边缘文本大小","Edge missing indentation":"缺少缩进的边","Edges":"边","Edges are declared in the same row as their source node":"边声明在与源节点相同的行中","Edges are declared in the same row as their target node":"边声明在与目标节点相同的行中","Edges are declared in their own row":"边声明在自己的行中","Edges can also have ID\'s, classes, and attributes before the label":"边在标签之前可以有ID,类和属性","Edges can be styled with dashed, dotted, or solid lines":"边可以用虚线,点线或实线样式","Edges in Separate Rows":"边在单独的行","Edges in Source Node Row":"边在源节点行","Edges in Target Node Row":"边在目标节点行","Edit":"编辑","Edit with AI":"利用AI进行编辑","Editable":"可编辑","Editor":"编辑器","Email":"电子邮件","Empty":"空","Enable to set a consistent height for all nodes":"启用统一设置所有节点的高度","Enter your email address and we\'ll send you a magic link to sign in.":"輸入您的電子郵件地址,我們將發送給您一個魔法鏈接以登入。","Enter your email address below and we\'ll send you a link to reset your password.":"在下面輸入您的電子郵件地址,我們將發送給您一個重置密碼的鏈接。","Equal To":"等于","Everything you need to know about Flowchart Fun Pro":"有关流程图乐趣专业版的所有信息","Examples":"示例","Excalidraw":"Excalidraw","Exclusive Office Hours":"专属办公时间","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"体验将本地文件直接加载到流程图中的效率和安全性,非常适合离线管理工作相关文件。解锁这个独有的专业功能以及更多功能,Flowchart Fun Pro仅需每月$4即可使用。","Explore more":"探索更多","Export":"导出","Export clean diagrams without branding":"导出无品牌标识的清晰图表","Export to PNG & JPG":"导出为PNG和JPG","Export to PNG, JPG, and SVG":"导出为PNG,JPG和SVG","Feature Breakdown":"功能分解","Feedback":"反馈","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"如果您有任何問題,請隨意探索並通過<0>反饋頁面與我們聯繫。","Fine-tune layouts and visual styles":"调整布局和视觉风格","Fixed Height":"固定高度","Fixed Node Height":"固定节点高度","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Flowchart Fun Pro为您提供无限的流程图、无限的协作者和无限的存储空间,仅需每月$4即可享用。","Follow Us on Twitter":"在Twitter上关注我们","Font Family":"字体系列","Forgot your password?":"忘記密碼了?","Found a bug? Have a feature request? We would love to hear from you!":"如果发现了一个 bug?有功能请求?我们很乐意听到您的意见!","Free":"免费","Frequently Asked Questions":"经常问的问题","Full-screen, read-only, and template sharing":"全屏、只读和模板共享","Fullscreen":"全屏","General":"一般","Generate flowcharts from text automatically":"自动从文本生成流程图","Get Pro Access Now":"立即获取专业访问权限","Get Unlimited AI Requests":"获得无限的AI请求","Get rapid responses to your questions":"快速获取您的问题的回答","Get unlimited flowcharts and premium features":"获取无限流程图和高级功能","Go back home":"回家","Go to the Editor":"前往編輯器","Go to your Sandbox":"去你的沙盒","Graph":"图表","Green?":"绿色的?","Grid":"网格","Have complex questions or issues? We\'re here to help.":"有复杂的问题或问题吗?我们在这里帮助你。","Here are some Pro features you can now enjoy.":"現在您可以享受以下專業功能。","High-quality exports with embedded fonts":"高质量的导出,内嵌字体","History":"历史","Home":"主页","How are edges declared in this data?":"在这个数据中如何声明边缘?","How do I cancel my subscription?":"如何取消我的订阅?","How does AI flowchart generation work?":"AI流程图生成是如何工作的?","How would you like to save your chart?":"您想如何保存您的流程图?","I would like to request a new template:":"我想请求一个新的模板:","ID\'s":"ID","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"如果該電子郵件存在該帳戶,我們已經發送給您一封電子郵件,其中包含如何重置您的密碼的說明。","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"如果您喜欢使用<0>Flowchart Fun,请考虑支持该项目","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"如果你想创建一个边,缩进这一行。如果不,用反斜杠转义冒号<0>\\\\:","Images":"图像","Import Data":"导入数据","Import data from a CSV file.":"从CSV文件导入数据。","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"從任何CSV檔案匯入資料並將其映射到新的流程圖。這是從Lucidchart、Google Sheets和Visio等其他來源匯入資料的一個很棒的方法。","Import from CSV":"從CSV導入","Import from Visio, Lucidchart, and CSV":"从Visio,Lucidchart和CSV导入","Import from popular diagram tools":"从流行的图表工具导入","Import your diagram it into Microsoft Visio using one of these CSV files.":"使用其中一个CSV文件将您的图表导入到Microsoft Visio中。","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"导入数据是一项专业功能。您可以升级到Flowchart Fun Pro,仅需每月4美元。","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"使用<0>title属性添加标题。要使用 Visio 颜色,请添加一个等于以下内容之一的<1>roleType属性:","Indent to connect nodes":"缩进以连接节点","Info":"信息","Is":"是","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON画布是您的图表的JSON表示,由<0>Obsidian Canvas和其他应用程序使用。","Join 2000+ professionals who\'ve upgraded their workflow":"加入2000多位专业人士,升级他们的工作流程","Join thousands of happy users who love Flowchart Fun":"加入成千上万的快乐用户,他们都爱流程图乐趣","Keep Things Private":"保持事物私密","Keep changes?":"保留更改吗?","Keep practicing":"继续练习","Keep your data private on your computer":"在您的电脑上保护您的数据隐私","Language":"语言","Layout":"布局","Layout Algorithm":"布局算法","Layout Frozen":"布局已冻结","Leading References":"主要參考","Learn More":"学到更多","Learn Syntax":"學習語法","Learn about Flowchart Fun Pro":"了解关于Flowchart Fun Pro","Left to Right":"从左到右","Let us know why you\'re canceling. We\'re always looking to improve.":"让我们知道您为什么要取消。我们一直在努力改进。","Light":"浅色","Light Mode":"浅色模式","Link":"链接","Link back":"链接回来","Load":"載入","Load Chart":"加载流程图","Load File":"加载文件","Load Files":"加载多个文件","Load default content":"載入預設內容","Load from link?":"从链接加载?","Load layout and styles":"載入版面和樣式","Local File Support":"本地文件支持","Local saving for offline access":"本地保存,实现离线访问","Lock Zoom to Graph":"锁定缩放到图表","Log In":"登录","Log Out":"登出","Log in to Save":"登录以保存","Log in to upgrade your account":"登录升级您的账户","Make a One-Time Donation":"进行一次性捐赠","Make publicly accessible":"设为公开访问","Manage Billing":"付款管理","Map Data":"對應資料","Maximum width of text inside nodes":"节点内文本的最大宽度","Monthly":"每月","Multiple pointers on same line":"同一行上的多个指针","My dog ate my credit card!":"我的狗吃了我的信用卡!","Name Chart":"命名图表","Name your chart":"为您的流程图命名","New":"新","New Email":"新邮件","Next charge":"下次扣费","No Edges":"沒有邊緣","No Watermarks!":"无水印!","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"不,专业版没有使用限制。享受无限流程图创建和AI功能,让您有自由去探索和创新,没有任何限制。","Node Border Style":"节点边框样式","Node Colors":"节点颜色","Node ID":"节点ID","Node ID, Classes, Attributes":"节点ID、类、属性","Node Label":"节点标签","Node Shape":"节点形状","Node Shapes":"节点形状","Nodes":"节点","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"节点可以使用虚线、点线或双线样式。边框也可以使用 border_none 来移除。","Not Empty":"不为空","Now you\'re thinking with flowcharts!":"现在你在用流程图思考了!","Office Hours":"工作时间","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"偶尔,魔法链接会被放入您的垃圾邮件文件夹。如果几分钟后仍然没有收到,请检查垃圾邮件文件夹,或者重新请求新的链接。","One on One Support":"一对一支持","One-on-One Support":"一对一支持","Open Customer Portal":"打开客户门户","Operation canceled":"操作已取消","Or maybe blue!":"或者也许是蓝色!","Organization Chart":"组织结构图","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"我们的AI根据您的文本提示创建图表,允许无缝手动编辑或AI辅助调整。与其他产品不同,我们的专业版提供无限的AI生成和编辑功能,让您能够无限制地创作。","Padding":"填充","Page not found":"找不到页面","Password":"密碼","Past Due":"过期","Paste a document to convert it":"粘贴一个文档来转换它","Paste your document or outline here to convert it into an organized flowchart.":"将您的文档或大纲粘贴到此处,将其转换为有组织的流程图。","Pasted content detected. Convert to Flowchart Fun syntax?":"检测到粘贴内容。转换为流程图乐趣语法?","Perfect for docs and quick sharing":"适用于文档和快速分享","Permanent Charts are a Pro Feature":"永久图表是专业功能","Playbook":"剧本","Pointer and container on same line":"同一行上的指针和容器","Priority One-on-One Support":"优先一对一支持","Privacy Policy":"隱私政策","Pro tip: Right-click any node to customize its shape and color":"专业提示:右键点击任何节点可自定义其形状和颜色","Processing Data":"处理数据","Processing...":"处理中...","Prompt":"提示","Public":"公开","Quick experimentation space that resets daily":"每日重置的快速实验空间","Random":"随机","Rapid Deployment Templates":"快速部署模板","Rapid Templates":"快速模板","Raster Export (PNG, JPG)":"光栅导出(PNG,JPG)","Rate limit exceeded. Please try again later.":"速率限制超出。 请稍后再试。","Read-only":"只读","Reference by Class":"按类引用","Reference by ID":"按 ID 参考","Reference by Label":"按标签参考","References":"参考","References are used to create edges between nodes that are created elsewhere in the document":"参考用于在文档中其他位置创建的节点之间创建边","Referencing a node by its exact label":"通过其确切标签引用节点","Referencing a node by its unique ID":"通过其唯一ID引用节点","Referencing multiple nodes with the same assigned class":"使用相同分配的类引用多个节点","Refresh Page":"刷新页面","Reload to Update":"重新加载以更新","Rename":"重命名","Request Magic Link":"請求魔法鏈接","Request Password Reset":"請求密碼重置","Reset":"重置","Reset Password":"重置密碼","Resume Subscription":"恢复订阅","Return":"返回","Right to Left":"从右到左","Right-click nodes for options":"右键点击节点以获得选项","Roadmap":"路线图","Rotate Label":"旋转标签","SVG Export is a Pro Feature":"SVG导出是专业功能","Satisfaction guaranteed or first payment refunded":"满意保证或第一次付款退款","Save":"救球","Save time with AI and dictation, making it easy to create diagrams.":"使用人工智能和口述功能,节省时间,轻松创建图表。","Save to Cloud":"保存到云","Save to File":"保存到文件","Save your Work":"保存您的工作","Schedule personal consultation sessions":"安排个人咨询会话","Secure payment":"安全付款","See more reviews on Product Hunt":"在Product Hunt上查看更多评论","Set a consistent height for all nodes":"设置所有节点的统一高度","Settings":"设置","Share":"分享","Sign In":"登錄","Sign in with <0>GitHub":"使用<0>GitHub登录","Sign in with <0>Google":"使用<0>Google登录","Sorry! This page is only available in English.":"抱歉!此页面只有英语版。","Sorry, there was an error converting the text to a flowchart. Try again later.":"抱歉,转换文本为流程图时出错。 请稍后再试。","Source Arrow Shape":"源箭头形状","Source Column":"源列","Source Delimiter":"源分隔符","Source Distance From Node":"源节点距离","Source/Target Arrow Shape":"源/目标箭头形状","Spacing":"间距","Special Attributes":"特殊属性","Start":"开始","Start Over":"重新開始","Start faster with use-case specific templates":"使用特定用例模板加快启动","Status":"状态","Step 1":"步骤1","Step 2":"步骤2","Step 3":"步骤3","Store any data associated to a node":"將任何與節點相關的資料儲存","Style Classes":"樣式類別","Style with classes":"用类别进行样式设置","Submit":"提交","Subscribe to Pro and flowchart the fun way!":"订阅专业版,以有趣的方式制作流程图!","Subscription":"订阅","Subscription Successful!":"訂閱成功!","Subscription will end":"订阅即将到期","Target Arrow Shape":"目标箭头形状","Target Column":"目標欄","Target Delimiter":"目標分隔符","Target Distance From Node":"目標距離節點","Text Color":"文字顏色","Text Horizontal Offset":"文本水平偏移","Text Leading":"文字行距","Text Max Width":"文本最大宽度","Text Vertical Offset":"文字垂直偏移","Text followed by colon+space creates an edge with the text as the label":"以冒号加空格结尾的文本将创建一个边,文本作为标签","Text on a line creates a node with the text as the label":"在一行中的文本将创建一个节点,文本作为标签","Thank you for your feedback!":"感谢您的反馈!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"更改样式的最佳方式是右键单击节点或边缘,然后选择所需的样式。","The column that contains the edge label(s)":"包含边标签的列","The column that contains the source node ID(s)":"包含源节点ID的列","The column that contains the target node ID(s)":"包含目标节点ID的列","The delimiter used to separate multiple source nodes":"用于分隔多个源节点的分隔符","The delimiter used to separate multiple target nodes":"用于分隔多个目标节点的分隔符","The possible shapes are:":"可能的形状是:","Theme":"主題","Theme Customization Editor":"主题定制编辑器","Theme Editor":"主题编辑器","There are no edges in this data":"此数据中没有边","This action cannot be undone.":"此操作无法撤销。","This feature is only available to pro users. <0>Become a pro user to unlock it.":"只有专业用户才能使用此功能。 <0>成为专业用户解锁。","This may take between 30 seconds and 2 minutes depending on the length of your input.":"这可能需要30秒到2分钟的时间,取决于您输入的长度。","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"这个沙盒非常适合实验,但请记住 - 它每天都会重置。立即升级,保留您当前的工作!","This will replace the current content.":"這將取代目前的內容。","This will replace your current chart content with the template content.":"这将用模板内容替换您当前的图表内容。","This will replace your current sandbox.":"这将替换您当前的沙盒。","Time to decide":"决定的时间到了","Tip":"提示","To fix this change one of the edge IDs":"为了修复这个,改变其中一个边的ID","To fix this change one of the node IDs":"要修复这个,更改其中一个节点ID","To fix this move one pointer to the next line":"要修复这个,将指针移动到下一行","To fix this start the container <0/> on a different line":"要修复这个,将容器<0/>放在另一行","To learn more about why we require you to log in, please read <0>this blog post.":"要了解更多關於我們為什麼要求您登錄的原因,請閱讀<0>這篇博客文章。","Top to Bottom":"从上到下","Transform Your Ideas into Professional Diagrams in Seconds":"秒转换您的想法成专业图表","Transform text into diagrams instantly":"即时将文本转换为图表","Trusted by Professionals and Academics":"受专业人士和学者信任","Try AI":"尝试人工智能","Try again":"重试","Turn your ideas into professional diagrams in seconds":"在几秒钟内将您的想法转化为专业图表","Two edges have the same ID":"两个边有相同的ID","Two nodes have the same ID":"两个节点有相同的ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"哎呀,你的免费请求用完了!升级到Flowchart Fun Pro,享受无限的图表转换功能,轻松将文本转换成清晰的可视化流程图,就像复制粘贴一样简单。","Unescaped special character":"未转义的特殊字符","Unique text value to identify a node":"用于标识节点的唯一文本值","Unknown":"未知","Unknown Parsing Error":"未知的解析错误","Unlimited Flowcharts":"无限制的流程图","Unlimited Permanent Flowcharts":"无限永久流程图","Unlimited cloud-saved flowcharts":"无限云端保存的流程图","Unlock AI Features and never lose your work with a Pro account.":"解锁AI功能,通过专业账户永远不会丢失您的工作。","Unlock Unlimited AI Flowcharts":"解锁无限制使用AI流程图","Unpaid":"未付","Update Email":"更新电子邮件","Upgrade Now - Save My Work":"立即升级 - 保存我的工作","Upgrade to Flowchart Fun Pro and unlock:":"升级到Flowchart Fun Pro并解锁:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"升级到Flowchart Fun Pro,解锁SVG导出功能,并享受更多高级功能来创建您的图表。","Upgrade to Pro":"升級到專業版","Upgrade to Pro for $2/month":"升级至专业版每月$2","Upload your File":"上传您的文件","Use Custom CSS Only":"僅使用自定義CSS","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"使用Lucidchart或Visio?CSV导入使从任何来源获取数据变得容易!","Use classes to group nodes":"使用类来分组节点","Use the attribute <0>href to set a link on a node that opens in a new tab.":"使用属性<0>href在节点上设置一个在新标签页中打开的链接。","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"使用属性<0>src来设置节点的图像,图像将被缩放以适应节点,因此您可能需要调整节点的宽度和高度以获得期望的结果。仅支持公共图像(不受CORS阻止)。","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"使用属性<0>w和<1>h显式设置节点的宽度和高度。","Use the customer portal to change your billing information.":"使用客户门户更改您的账单信息。","Use these settings to adapt the look and behavior of your flowcharts":"使用这些设置来调整流程图的外观和行为","Use this file for org charts, hierarchies, and other organizational structures.":"使用此文件制作组织图、层次结构和其他组织结构。","Use this file for sequences, processes, and workflows.":"使用此文件进行顺序、流程和工作流程。","Use this mode to modify and enhance your current chart.":"使用此模式来修改和增强您当前的图表。","User":"用户","Vector Export (SVG)":"矢量导出(SVG)","View on Github":"在 Github 上查看","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"想要从文档创建流程图吗? 将其粘贴到编辑器中,然后单击“转换为流程图”","Watermark-Free Diagrams":"无水印图表","Watermarks":"水印","Welcome to Flowchart Fun":"欢迎来到流程图乐趣","What our users are saying":"我们的用户都说什么了","What\'s next?":"接下来是什么?","What\'s this?":"这是什么?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"虽然我们没有提供免费试用,但我们的定价设计旨在尽可能方便学生和教育工作者。仅需4美元一个月,您就可以探索所有功能,并决定是否适合您。随时订阅,尝试,需要时再重新订阅。","Width":"宽度","Width and Height":"宽度和高度","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"通过Flowchart Fun的专业版,您可以使用自然语言命令快速完善您的流程图细节,非常适合在旅途中创建图表。每月4美元,享受易于访问的人工智能编辑,提升您的流程图体验。","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"使用专业版,您可以保存和加载本地文件。这对于离线管理工作相关文件非常方便。","Would you like to continue?":"您想继续吗?","Would you like to suggest a new example?":"您想提出一个新的示例吗?","Wrap text in parentheses to connect to any node":"用括号将文本连接到任何节点","Write like an outline":"像写大纲一样","Write your prompt here or click to enable the microphone, then press and hold to record.":"在此处输入您的提示,或点击启用麦克风,然后按住录制。","Yearly":"每年","Yes, Replace Content":"是的,替换内容。","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"是的,我们支持非营利组织,提供特殊折扣。联系我们,告知您的非营利组织身份,了解我们如何帮助您的组织。","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"是的,您的云端流程图仅在您登录时可访问。此外,您还可以在本地保存和加载文件,非常适合管理离线的敏感工作文档。","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["您即将为您的图添加",["numNodes"],"个节点和",["numEdges"],"条边。"],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"你可以使用<0>Flowchart Fun Pro创建无限的永久流程图。","You need to log in to access this page.":"您需要登录才能访问此页面。","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"您已经是专业用户。 <0>管理订阅<1/>有问题或功能请求? <2>告诉我们","You\'re doing great!":"你做得很棒!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"您已经使用完了所有的免费AI转换。升级到专业版,享受无限的AI使用、定制主题、私人共享等功能。轻松地创建出令人惊叹的流程图吧!","Your Charts":"您的图表","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"你的沙盒是一个可以自由尝试我们的流程图工具的空间,每天都会重置,以便于重新开始。","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"您的图表是只读的,因为您的帐户已不再活跃。请访问您的<0>帐户页面了解更多信息。","Your subscription is <0>{statusDisplay}.":["您的訂閱狀態為<0>",["statusDisplay"],"。"],"Zoom In":"放大","Zoom Out":"縮小","month":"月份","or":"或","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' + '{"1 Temporary Flowchart":"1 临时流程图","<0>Custom CSS Only is enabled. Only the Layout and Advanced settings will be applied.":"<0>仅启用自定义CSS。仅应用布局和高级设置。","<0>Flowchart Fun is an open source project made by <1>Tone\xA0Row":"<0>Flowchart Fun是由<1>Tone Row制作的开源项目","<0>Sign In / <1>Sign Up with email and password":"<0>登录 / <1>注册 使用电子邮件和密码","<0>You currently have a free account.<1/><2>Learn about our Pro Features and subscribe on our pricing page.":"<0>您目前拥有免费帐户。<1/><2>了解我们的Pro功能,并在我们的定价页面上订阅","A new version of the app is available. Please reload to update.":"一个新版本的应用程序可用。请重新加载以更新。","AI Creation & Editing":"AI创建与编辑","AI-Powered Flowchart Creation":"AI驱动的流程图创建","AI-powered editing to supercharge your workflow":"AI动力编辑,让您的工作流程更加高效","About":"关于","Account":"帐户","Add a backslash (<0>\\\\) before any special characters: <1>(, <2>:, <3>#, or <4>.`":"在任何特殊字符之前添加反斜杠 (<0>\\\\): <1>(、<2>:、<3>#或<4>.","Add some steps":"添加一些步骤","Advanced":"高级","Align Horizontally":"水平对齐","Align Nodes":"对齐节点","Align Vertically":"垂直对齐","All this for just $4/month - less than your daily coffee ☕":"所有这些仅需每月4美元 - 不到您每天的咖啡☕","Amount":"数量","An error occurred. Try resubmitting or email {0} directly.":["发生了一个错误。请尝试重新提交或直接发送电子邮件至",["0"],"。"],"Appearance":"外观","Are my flowcharts private?":"我的流程图是私人的吗?","Are there usage limits?":"有使用限制吗?","Are you sure you want to delete the flowchart \\"{0}\\"? This action cannot be undone.":"您确定要删除流程图吗?","Are you sure you want to delete the folder \\"{0}\\" and all its contents? This action cannot be undone.":"您确定要删除文件夹吗?","Are you sure you want to delete the folder \\"{0}\\"? This action cannot be undone.":"您确定要删除文件夹吗?","Are you sure?":"你确定吗?","Arrow Size":"箭头大小","Attributes":"属性","August 2023":"2023 年 8 月","Back":"返回","Back To Editor":"返回编辑器","Background Color":"背景颜色","Basic Flowchart":"基本流程图","Become a Github Sponsor":"成为Github赞助商","Become a Pro User":"成为专业用户","Begin your journey":"开始你的旅程","Billed annually at $24":"年度账单为$24","Billed monthly at $4":"每月收费$4","Blog":"博客","Book a Meeting":"预订会议","Border Color":"边框颜色","Border Width":"边框宽度","Bottom to Top":"从下到上","Breadthfirst":"宽度优先","Build your personal flowchart library":"建立您的个人流程图库","Cancel":"取消","Cancel anytime":"随时取消","Cancel your subscription. Your hosted charts will become read-only.":"取消订阅。您的托管图表将变为只读。","Canceling is easy. Simply go to your account page, scroll to the bottom, and click cancel. If you\'re not completely satisfied, we offer a refund on your first payment.":"取消很容易。只需转到您的帐户页面,滚动到底部,然后单击取消。如果您不完全满意,我们会退还您的第一笔付款。","Certain attributes can be used to customize the appearance or functionality of elements.":"某些属性可用于自定义元素的外观或功能。","Change Email Address":"更改电子邮件地址","Changelog":"变更日志","Charts":"图表","Check out the guide:":"查看指南:","Check your email for a link to log in.<0/>You can close this window.":"检查您的电子邮件以获取登录链接。您可以关闭此窗口。","Choose":"選擇","Choose Template":"选择模板","Choose from a variety of arrow shapes for the source and target of an edge. Shapes include triangle, triangle-tee, circle-triangle, triangle-cross, triangle-backcurve, vee, tee, square, circle, diamond, chevron, none. .":"为边缘的源和目标选择各种箭头形状。形状包括三角形,三角形-T,圆形-三角形,三角形-十字,三角形-后曲线,V形,T形,正方形,圆形,菱形,雪花形,无。","Choose how edges connect between nodes":"选择节点之间的边缘连接方式","Choose how nodes are automatically arranged in your flowchart":"选择如何自动排列您的流程图中的节点","Circle":"圆圈","Classes":"类","Clear":"清除","Clear text?":"清除文字?","Clone":"克隆","Clone Flowchart":"克隆流程图","Close":"关闭","Color":"颜色","Colors include red, orange, yellow, blue, purple, black, white, and gray.":"颜色包括红色,橙色,黄色,蓝色,紫色,黑色,白色和灰色。","Column":"列","Comment":"评论","Compare our plans and find the perfect fit for your flowcharting needs":"比较我们的计划,找到最适合您流程图需求的方案","Concentric":"同心","Confirm New Email":"确认新电子邮件","Confirm your email address to sign in.":"確認您的電子郵件地址以登入。","Connect your Data":"连接您的数据","Containers":"容器","Containers are nodes that contain other nodes. They are declared using curly braces.":"容器是包含其他节点的节点。它们使用大括号声明。","Continue":"继续","Continue in Sandbox (Resets daily, work not saved)":"继续使用沙盒(每天重置,工作不会被保存)","Controls the flow direction of hierarchical layouts":"控制层次布局的流向","Convert":"转换","Convert to Flowchart":"转换为流程图","Convert to hosted chart?":"是否转换为托管图表?","Cookie Policy":"Cookie政策","Copied SVG code to clipboard":"将SVG代码复制到剪贴板","Copied {format} to clipboard":["将",["format"],"复制到剪贴板"],"Copy":"复制","Copy PNG Image":"复制PNG图像","Copy SVG Code":"复制 SVG 代码","Copy your Excalidraw code and paste it into <0>excalidraw.com to edit. This feature is experimental and may not work with all diagrams. If you find a bug, please <1>let us know.":"将你的 Excalidraw 代码复制并粘贴到<0>excalidraw.com以进行编辑。此功能为实验性质,可能无法与所有图表一起使用。如果您发现错误,请<1>告诉我们。","Copy your mermaid.js code or open it directly in the mermaid.js live editor.":"复制您的mermaid.js代码或直接在mermaid.js实时编辑器中打开它。","Create":"创建","Create Flowcharts using AI":"使用AI创建流程图","Create Unlimited Flowcharts":"创建无限流程图","Create a New Chart":"创建新图表","Create a flowchart showing the steps of planning and executing a school fundraising event":"创建一个流程图,展示规划和执行学校筹款活动的步骤","Create a new flowchart to get started or organize your work with folders.":"创建一个新的流程图开始或使用文件夹组织您的工作。","Create flowcharts instantly: Type or paste text, see it visualized.":"即时创建流程图:输入或粘贴文本,即可可视化。","Create unlimited diagrams for just $4/month!":"仅需每月$4,即可创建无限的图表!","Create unlimited flowcharts stored in the cloud– accessible anywhere!":"在云中存储无限流程图- 随时随地可访问!","Create with AI":"通過AI創建","Created Date":"创建日期","Creating an edge between two nodes is done by indenting the second node below the first":"在两个节点之间创建边缘是通过将第二个节点缩进第一个节点来完成的","Curve Style":"曲线样式","Custom CSS":"自定义CSS","Custom Sharing Options":"自定义分享选项","Customer Portal":"客户门户","Daily Sandbox Editor":"每日沙盒编辑器","Dark":"深色","Dark Mode":"深色模式","Data Import (Visio, Lucidchart, CSV)":"数据导入(Visio,Lucidchart,CSV)","Data import feature for complex diagrams":"数据导入功能,适用于复杂的图表","Date":"日期","Delete":"删除","Delete {0}":["删除 ",["0"]],"Design a software development lifecycle flowchart for an agile team":"为敏捷团队设计一个软件开发生命周期流程图","Develop a decision tree for a CEO to evaluate potential new market opportunities":"为CEO设计一个决策树,评估潜在的新市场机会","Direction":"方向","Dismiss":"解散","Do you have a free trial?":"你有免费试用吗?","Do you offer a non-profit discount?":"你提供非盈利折扣吗?","Do you want to delete this?":"您要将其删除吗?","Document":"文档","Don\'t Lose Your Work":"不要丢失你的工作","Download":"下载","Download JPG":"下载 JPG","Download PNG":"下载 PNG","Download SVG":"下载 SVG","Drag and drop a CSV file here, or click to select a file":"将CSV文件拖放到此处,或单击以选择文件","Draw an edge from multiple nodes by beginning the line with a reference":"通过引用开始行从多个节点绘制边缘","Drop the file here ...":"將檔案拖放到這裡...","Each line becomes a node":"每一行都变成一个节点","Edge ID, Classes, Attributes":"邊緣ID、類別和屬性","Edge Label":"邊緣標籤","Edge Label Column":"邊緣標籤欄","Edge Style":"邊緣樣式","Edge Text Size":"边缘文本大小","Edge missing indentation":"缺少缩进的边","Edges":"边","Edges are declared in the same row as their source node":"边声明在与源节点相同的行中","Edges are declared in the same row as their target node":"边声明在与目标节点相同的行中","Edges are declared in their own row":"边声明在自己的行中","Edges can also have ID\'s, classes, and attributes before the label":"边在标签之前可以有ID,类和属性","Edges can be styled with dashed, dotted, or solid lines":"边可以用虚线,点线或实线样式","Edges in Separate Rows":"边在单独的行","Edges in Source Node Row":"边在源节点行","Edges in Target Node Row":"边在目标节点行","Edit":"编辑","Edit with AI":"利用AI进行编辑","Editable":"可编辑","Editor":"编辑器","Email":"电子邮件","Empty":"空","Enable to set a consistent height for all nodes":"启用统一设置所有节点的高度","Enter a name for the cloned flowchart.":"为克隆的流程图输入名称。","Enter a name for the new folder.":"为新文件夹输入名称。","Enter a new name for the {0}.":["为 ",["0"]," 输入新名称。"],"Enter your email address and we\'ll send you a magic link to sign in.":"輸入您的電子郵件地址,我們將發送給您一個魔法鏈接以登入。","Enter your email address below and we\'ll send you a link to reset your password.":"在下面輸入您的電子郵件地址,我們將發送給您一個重置密碼的鏈接。","Equal To":"等于","Everything you need to know about Flowchart Fun Pro":"有关流程图乐趣专业版的所有信息","Examples":"示例","Excalidraw":"Excalidraw","Exclusive Office Hours":"专属办公时间","Experience the efficiency and security of loading local files directly into your flowchart, perfect for managing work-related documents offline. Unlock this exclusive Pro feature and more with Flowchart Fun Pro, available for only $4/month":"体验将本地文件直接加载到流程图中的效率和安全性,非常适合离线管理工作相关文件。解锁这个独有的专业功能以及更多功能,Flowchart Fun Pro仅需每月$4即可使用。","Explore more":"探索更多","Export":"导出","Export clean diagrams without branding":"导出无品牌标识的清晰图表","Export to PNG & JPG":"导出为PNG和JPG","Export to PNG, JPG, and SVG":"导出为PNG,JPG和SVG","Feature Breakdown":"功能分解","Feedback":"反馈","Feel free to explore and reach out to us through the <0>Feedback page should you have any concerns.":"如果您有任何問題,請隨意探索並通過<0>反饋頁面與我們聯繫。","Fine-tune layouts and visual styles":"调整布局和视觉风格","Fixed Height":"固定高度","Fixed Node Height":"固定节点高度","Flowchart Fun Pro gives you unlimited flowcharts, unlimited collaborators, and unlimited storage for just $4/month.":"Flowchart Fun Pro为您提供无限的流程图、无限的协作者和无限的存储空间,仅需每月$4即可享用。","Follow Us on Twitter":"在Twitter上关注我们","Font Family":"字体系列","Forgot your password?":"忘記密碼了?","Found a bug? Have a feature request? We would love to hear from you!":"如果发现了一个 bug?有功能请求?我们很乐意听到您的意见!","Free":"免费","Frequently Asked Questions":"经常问的问题","Full-screen, read-only, and template sharing":"全屏、只读和模板共享","Fullscreen":"全屏","General":"一般","Generate flowcharts from text automatically":"自动从文本生成流程图","Get Pro Access Now":"立即获取专业访问权限","Get Unlimited AI Requests":"获得无限的AI请求","Get rapid responses to your questions":"快速获取您的问题的回答","Get unlimited flowcharts and premium features":"获取无限流程图和高级功能","Go back home":"回家","Go to the Editor":"前往編輯器","Go to your Sandbox":"去你的沙盒","Graph":"图表","Green?":"绿色的?","Grid":"网格","Have complex questions or issues? We\'re here to help.":"有复杂的问题或问题吗?我们在这里帮助你。","Here are some Pro features you can now enjoy.":"現在您可以享受以下專業功能。","High-quality exports with embedded fonts":"高质量的导出,内嵌字体","History":"历史","Home":"主页","How are edges declared in this data?":"在这个数据中如何声明边缘?","How do I cancel my subscription?":"如何取消我的订阅?","How does AI flowchart generation work?":"AI流程图生成是如何工作的?","How would you like to save your chart?":"您想如何保存您的流程图?","I would like to request a new template:":"我想请求一个新的模板:","ID\'s":"ID","If an account with that email exists, we\'ve sent you an email with instructions on how to reset your password.":"如果該電子郵件存在該帳戶,我們已經發送給您一封電子郵件,其中包含如何重置您的密碼的說明。","If you enjoy using <0>Flowchart Fun, please consider supporting the project":"如果您喜欢使用<0>Flowchart Fun,请考虑支持该项目","If you mean to create an edge, indent this line. If not, escape the colon with a backslash <0>\\\\:":"如果你想创建一个边,缩进这一行。如果不,用反斜杠转义冒号<0>\\\\:","Images":"图像","Import Data":"导入数据","Import data from a CSV file.":"从CSV文件导入数据。","Import data from any CSV file and map it to a new flowchart. This is a great way to import data from other sources like Lucidchart, Google Sheets, and Visio.":"從任何CSV檔案匯入資料並將其映射到新的流程圖。這是從Lucidchart、Google Sheets和Visio等其他來源匯入資料的一個很棒的方法。","Import from CSV":"從CSV導入","Import from Visio, Lucidchart, and CSV":"从Visio,Lucidchart和CSV导入","Import from popular diagram tools":"从流行的图表工具导入","Import your diagram it into Microsoft Visio using one of these CSV files.":"使用其中一个CSV文件将您的图表导入到Microsoft Visio中。","Importing data is a pro feature. You can upgrade to Flowchart Fun Pro for just $4/month.":"导入数据是一项专业功能。您可以升级到Flowchart Fun Pro,仅需每月4美元。","Include a title using a <0>title attribute. To use Visio coloring, add a <1>roleType attribute equal to one of the following:":"使用<0>title属性添加标题。要使用 Visio 颜色,请添加一个等于以下内容之一的<1>roleType属性:","Indent to connect nodes":"缩进以连接节点","Info":"信息","Is":"是","JSON Canvas is a JSON representation of your diagram used by <0>Obsidian Canvas and other applications.":"JSON画布是您的图表的JSON表示,由<0>Obsidian Canvas和其他应用程序使用。","Join 2000+ professionals who\'ve upgraded their workflow":"加入2000多位专业人士,升级他们的工作流程","Join thousands of happy users who love Flowchart Fun":"加入成千上万的快乐用户,他们都爱流程图乐趣","Keep Things Private":"保持事物私密","Keep changes?":"保留更改吗?","Keep practicing":"继续练习","Keep your data private on your computer":"在您的电脑上保护您的数据隐私","Language":"语言","Layout":"布局","Layout Algorithm":"布局算法","Layout Frozen":"布局已冻结","Leading References":"主要參考","Learn More":"学到更多","Learn Syntax":"學習語法","Learn about Flowchart Fun Pro":"了解关于Flowchart Fun Pro","Left to Right":"从左到右","Let us know why you\'re canceling. We\'re always looking to improve.":"让我们知道您为什么要取消。我们一直在努力改进。","Light":"浅色","Light Mode":"浅色模式","Link":"链接","Link back":"链接回来","Load":"載入","Load Chart":"加载流程图","Load File":"加载文件","Load Files":"加载多个文件","Load default content":"載入預設內容","Load from link?":"从链接加载?","Load layout and styles":"載入版面和樣式","Loading...":"加载中...","Local File Support":"本地文件支持","Local saving for offline access":"本地保存,实现离线访问","Lock Zoom to Graph":"锁定缩放到图表","Log In":"登录","Log Out":"登出","Log in to Save":"登录以保存","Log in to upgrade your account":"登录升级您的账户","Make a One-Time Donation":"进行一次性捐赠","Make publicly accessible":"设为公开访问","Manage Billing":"付款管理","Map Data":"對應資料","Maximum width of text inside nodes":"节点内文本的最大宽度","Monthly":"每月","Move":"移动","Move {0}":["移动 ",["0"]],"Multiple pointers on same line":"同一行上的多个指针","My dog ate my credit card!":"我的狗吃了我的信用卡!","Name":"名称","Name Chart":"命名图表","Name your chart":"为您的流程图命名","New":"新","New Email":"新邮件","New Flowchart":"新流程图","New Folder":"新文件夹","Next charge":"下次扣费","No Edges":"沒有邊緣","No Folder (Root)":"无文件夹(根目录)","No Watermarks!":"无水印!","No charts yet":"还没有图表","No items in this folder":"此文件夹中没有项目","No matching charts found":"没有找到匹配的图表","No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions.":"不,专业版没有使用限制。享受无限流程图创建和AI功能,让您有自由去探索和创新,没有任何限制。","Node Border Style":"节点边框样式","Node Colors":"节点颜色","Node ID":"节点ID","Node ID, Classes, Attributes":"节点ID、类、属性","Node Label":"节点标签","Node Shape":"节点形状","Node Shapes":"节点形状","Nodes":"节点","Nodes can be styled with dashed, dotted, or double. Borders can also be removed with border_none.":"节点可以使用虚线、点线或双线样式。边框也可以使用 border_none 来移除。","Not Empty":"不为空","Now you\'re thinking with flowcharts!":"现在你在用流程图思考了!","Office Hours":"工作时间","Once in a while the magic link will end up in your spam folder. If you don\'t see it after a few minutes, check there or request a new link.":"偶尔,魔法链接会被放入您的垃圾邮件文件夹。如果几分钟后仍然没有收到,请检查垃圾邮件文件夹,或者重新请求新的链接。","One on One Support":"一对一支持","One-on-One Support":"一对一支持","Open Customer Portal":"打开客户门户","Operation canceled":"操作已取消","Or maybe blue!":"或者也许是蓝色!","Organization Chart":"组织结构图","Our AI creates diagrams from your text prompts, allowing for seamless manual edits or AI-assisted adjustments. Unlike others, our Pro plan offers unlimited AI generations and edits, empowering you to create without limits.":"我们的AI根据您的文本提示创建图表,允许无缝手动编辑或AI辅助调整。与其他产品不同,我们的专业版提供无限的AI生成和编辑功能,让您能够无限制地创作。","Padding":"填充","Page not found":"找不到页面","Password":"密碼","Past Due":"过期","Paste a document to convert it":"粘贴一个文档来转换它","Paste your document or outline here to convert it into an organized flowchart.":"将您的文档或大纲粘贴到此处,将其转换为有组织的流程图。","Pasted content detected. Convert to Flowchart Fun syntax?":"检测到粘贴内容。转换为流程图乐趣语法?","Perfect for docs and quick sharing":"适用于文档和快速分享","Permanent Charts are a Pro Feature":"永久图表是专业功能","Playbook":"剧本","Pointer and container on same line":"同一行上的指针和容器","Priority One-on-One Support":"优先一对一支持","Privacy Policy":"隱私政策","Pro tip: Right-click any node to customize its shape and color":"专业提示:右键点击任何节点可自定义其形状和颜色","Processing Data":"处理数据","Processing...":"处理中...","Prompt":"提示","Public":"公开","Quick experimentation space that resets daily":"每日重置的快速实验空间","Random":"随机","Rapid Deployment Templates":"快速部署模板","Rapid Templates":"快速模板","Raster Export (PNG, JPG)":"光栅导出(PNG,JPG)","Rate limit exceeded. Please try again later.":"速率限制超出。 请稍后再试。","Read-only":"只读","Reference by Class":"按类引用","Reference by ID":"按 ID 参考","Reference by Label":"按标签参考","References":"参考","References are used to create edges between nodes that are created elsewhere in the document":"参考用于在文档中其他位置创建的节点之间创建边","Referencing a node by its exact label":"通过其确切标签引用节点","Referencing a node by its unique ID":"通过其唯一ID引用节点","Referencing multiple nodes with the same assigned class":"使用相同分配的类引用多个节点","Refresh Page":"刷新页面","Reload to Update":"重新加载以更新","Rename":"重命名","Rename {0}":["重命名",["0"]],"Request Magic Link":"請求魔法鏈接","Request Password Reset":"請求密碼重置","Reset":"重置","Reset Password":"重置密碼","Resume Subscription":"恢复订阅","Return":"返回","Right to Left":"从右到左","Right-click nodes for options":"右键点击节点以获得选项","Roadmap":"路线图","Rotate Label":"旋转标签","SVG Export is a Pro Feature":"SVG导出是专业功能","Satisfaction guaranteed or first payment refunded":"满意保证或第一次付款退款","Save":"救球","Save time with AI and dictation, making it easy to create diagrams.":"使用人工智能和口述功能,节省时间,轻松创建图表。","Save to Cloud":"保存到云","Save to File":"保存到文件","Save your Work":"保存您的工作","Schedule personal consultation sessions":"安排个人咨询会话","Secure payment":"安全付款","See more reviews on Product Hunt":"在Product Hunt上查看更多评论","Select a destination folder for \\"{0}\\".":"选择一个目标文件夹 \\\\","Set a consistent height for all nodes":"设置所有节点的统一高度","Settings":"设置","Share":"分享","Sign In":"登錄","Sign in with <0>GitHub":"使用<0>GitHub登录","Sign in with <0>Google":"使用<0>Google登录","Sorry! This page is only available in English.":"抱歉!此页面只有英语版。","Sorry, there was an error converting the text to a flowchart. Try again later.":"抱歉,转换文本为流程图时出错。 请稍后再试。","Sort Ascending":"升序排序","Sort Descending":"倒序排列","Sort by {0}":["按",["0"],"排序"],"Source Arrow Shape":"源箭头形状","Source Column":"源列","Source Delimiter":"源分隔符","Source Distance From Node":"源节点距离","Source/Target Arrow Shape":"源/目标箭头形状","Spacing":"间距","Special Attributes":"特殊属性","Start":"开始","Start Over":"重新開始","Start faster with use-case specific templates":"使用特定用例模板加快启动","Status":"状态","Step 1":"步骤1","Step 2":"步骤2","Step 3":"步骤3","Store any data associated to a node":"將任何與節點相關的資料儲存","Style Classes":"樣式類別","Style with classes":"用类别进行样式设置","Submit":"提交","Subscribe to Pro and flowchart the fun way!":"订阅专业版,以有趣的方式制作流程图!","Subscription":"订阅","Subscription Successful!":"訂閱成功!","Subscription will end":"订阅即将到期","Target Arrow Shape":"目标箭头形状","Target Column":"目標欄","Target Delimiter":"目標分隔符","Target Distance From Node":"目標距離節點","Text Color":"文字顏色","Text Horizontal Offset":"文本水平偏移","Text Leading":"文字行距","Text Max Width":"文本最大宽度","Text Vertical Offset":"文字垂直偏移","Text followed by colon+space creates an edge with the text as the label":"以冒号加空格结尾的文本将创建一个边,文本作为标签","Text on a line creates a node with the text as the label":"在一行中的文本将创建一个节点,文本作为标签","Thank you for your feedback!":"感谢您的反馈!","The best way to change styles is to right-click on a node or an edge and select the style you want.":"更改样式的最佳方式是右键单击节点或边缘,然后选择所需的样式。","The column that contains the edge label(s)":"包含边标签的列","The column that contains the source node ID(s)":"包含源节点ID的列","The column that contains the target node ID(s)":"包含目标节点ID的列","The delimiter used to separate multiple source nodes":"用于分隔多个源节点的分隔符","The delimiter used to separate multiple target nodes":"用于分隔多个目标节点的分隔符","The possible shapes are:":"可能的形状是:","Theme":"主題","Theme Customization Editor":"主题定制编辑器","Theme Editor":"主题编辑器","There are no edges in this data":"此数据中没有边","This action cannot be undone.":"此操作无法撤销。","This feature is only available to pro users. <0>Become a pro user to unlock it.":"只有专业用户才能使用此功能。 <0>成为专业用户解锁。","This may take between 30 seconds and 2 minutes depending on the length of your input.":"这可能需要30秒到2分钟的时间,取决于您输入的长度。","This sandbox is perfect for experimenting, but remember - it resets daily. Upgrade now and keep your current work!":"这个沙盒非常适合实验,但请记住 - 它每天都会重置。立即升级,保留您当前的工作!","This will replace the current content.":"這將取代目前的內容。","This will replace your current chart content with the template content.":"这将用模板内容替换您当前的图表内容。","This will replace your current sandbox.":"这将替换您当前的沙盒。","Time to decide":"决定的时间到了","Tip":"提示","To fix this change one of the edge IDs":"为了修复这个,改变其中一个边的ID","To fix this change one of the node IDs":"要修复这个,更改其中一个节点ID","To fix this move one pointer to the next line":"要修复这个,将指针移动到下一行","To fix this start the container <0/> on a different line":"要修复这个,将容器<0/>放在另一行","To learn more about why we require you to log in, please read <0>this blog post.":"要了解更多關於我們為什麼要求您登錄的原因,請閱讀<0>這篇博客文章。","Top to Bottom":"从上到下","Transform Your Ideas into Professional Diagrams in Seconds":"秒转换您的想法成专业图表","Transform text into diagrams instantly":"即时将文本转换为图表","Trusted by Professionals and Academics":"受专业人士和学者信任","Try AI":"尝试人工智能","Try adjusting your search or filters to find what you\'re looking for.":"尝试调整您的搜索或筛选条件以找到您想要的内容。","Try again":"重试","Turn your ideas into professional diagrams in seconds":"在几秒钟内将您的想法转化为专业图表","Two edges have the same ID":"两个边有相同的ID","Two nodes have the same ID":"两个节点有相同的ID","Uh oh, you\'re out of free requests! Upgrade to Flowchart Fun Pro for unlimited diagram conversions, and keep transforming text into clear, visual flowcharts as easily as copy and paste.":"哎呀,你的免费请求用完了!升级到Flowchart Fun Pro,享受无限的图表转换功能,轻松将文本转换成清晰的可视化流程图,就像复制粘贴一样简单。","Unescaped special character":"未转义的特殊字符","Unique text value to identify a node":"用于标识节点的唯一文本值","Unknown":"未知","Unknown Parsing Error":"未知的解析错误","Unlimited Flowcharts":"无限制的流程图","Unlimited Permanent Flowcharts":"无限永久流程图","Unlimited cloud-saved flowcharts":"无限云端保存的流程图","Unlock AI Features and never lose your work with a Pro account.":"解锁AI功能,通过专业账户永远不会丢失您的工作。","Unlock Unlimited AI Flowcharts":"解锁无限制使用AI流程图","Unpaid":"未付","Update Email":"更新电子邮件","Updated Date":"更新日期","Upgrade Now - Save My Work":"立即升级 - 保存我的工作","Upgrade to Flowchart Fun Pro and unlock:":"升级到Flowchart Fun Pro并解锁:","Upgrade to Flowchart Fun Pro to unlock SVG exports and enjoy more advanced features for your diagrams.":"升级到Flowchart Fun Pro,解锁SVG导出功能,并享受更多高级功能来创建您的图表。","Upgrade to Pro":"升級到專業版","Upgrade to Pro for $2/month":"升级至专业版每月$2","Upload your File":"上传您的文件","Use Custom CSS Only":"僅使用自定義CSS","Use Lucidchart or Visio? CSV Import makes it easy to get data from any source!":"使用Lucidchart或Visio?CSV导入使从任何来源获取数据变得容易!","Use classes to group nodes":"使用类来分组节点","Use the attribute <0>href to set a link on a node that opens in a new tab.":"使用属性<0>href在节点上设置一个在新标签页中打开的链接。","Use the attribute <0>src to set the image of a node. The image will be scaled to fit the node, so you may need to adjust the width and height of the node to get the desired result. Only public images (not blocked by CORS) are supported.":"使用属性<0>src来设置节点的图像,图像将被缩放以适应节点,因此您可能需要调整节点的宽度和高度以获得期望的结果。仅支持公共图像(不受CORS阻止)。","Use the attributes <0>w and <1>h to explicitly set the width and height of a node.":"使用属性<0>w和<1>h显式设置节点的宽度和高度。","Use the customer portal to change your billing information.":"使用客户门户更改您的账单信息。","Use these settings to adapt the look and behavior of your flowcharts":"使用这些设置来调整流程图的外观和行为","Use this file for org charts, hierarchies, and other organizational structures.":"使用此文件制作组织图、层次结构和其他组织结构。","Use this file for sequences, processes, and workflows.":"使用此文件进行顺序、流程和工作流程。","Use this mode to modify and enhance your current chart.":"使用此模式来修改和增强您当前的图表。","User":"用户","Vector Export (SVG)":"矢量导出(SVG)","View on Github":"在 Github 上查看","Want to create a flowchart from a document? Paste it in the editor and click \'Convert to Flowchart\'":"想要从文档创建流程图吗? 将其粘贴到编辑器中,然后单击“转换为流程图”","Watermark-Free Diagrams":"无水印图表","Watermarks":"水印","Welcome to Flowchart Fun":"欢迎来到流程图乐趣","What our users are saying":"我们的用户都说什么了","What\'s next?":"接下来是什么?","What\'s this?":"这是什么?","While we don\'t offer a free trial, our pricing is designed to be as accessible as possible, especially for students and educators. At just $4 for a month, you can explore all the features and decide if it\'s right for you. Feel free to subscribe, try it out, and re-subscribe whenever you need.":"虽然我们没有提供免费试用,但我们的定价设计旨在尽可能方便学生和教育工作者。仅需4美元一个月,您就可以探索所有功能,并决定是否适合您。随时订阅,尝试,需要时再重新订阅。","Width":"宽度","Width and Height":"宽度和高度","With Flowchart Fun\'s Pro version, you can use natural language comamnds to quickly flesh out your flowchart details, ideal for creating diagrams on the go. For $4/month, get the ease of accessible AI editing to enhance your flowcharting experience.":"通过Flowchart Fun的专业版,您可以使用自然语言命令快速完善您的流程图细节,非常适合在旅途中创建图表。每月4美元,享受易于访问的人工智能编辑,提升您的流程图体验。","With the pro version you can save and load local files. It\'s perfect for managing work-related documents offline.":"使用专业版,您可以保存和加载本地文件。这对于离线管理工作相关文件非常方便。","Would you like to continue?":"您想继续吗?","Would you like to suggest a new example?":"您想提出一个新的示例吗?","Wrap text in parentheses to connect to any node":"用括号将文本连接到任何节点","Write like an outline":"像写大纲一样","Write your prompt here or click to enable the microphone, then press and hold to record.":"在此处输入您的提示,或点击启用麦克风,然后按住录制。","Yearly":"每年","Yes, Replace Content":"是的,替换内容。","Yes, we support non-profits with special discounts. Contact us with your non-profit status to learn more about how we can assist your organization.":"是的,我们支持非营利组织,提供特殊折扣。联系我们,告知您的非营利组织身份,了解我们如何帮助您的组织。","Yes, your cloud flowcharts are accessible only when you\'re logged in. Additionally, you can save and load files locally, perfect for managing sensitive work-related documents offline.":"是的,您的云端流程图仅在您登录时可访问。此外,您还可以在本地保存和加载文件,非常适合管理离线的敏感工作文档。","You are about to add {numNodes} nodes and {numEdges} edges to your graph.":["您即将为您的图添加",["numNodes"],"个节点和",["numEdges"],"条边。"],"You can create unlimited permanent flowcharts with <0>Flowchart Fun Pro.":"你可以使用<0>Flowchart Fun Pro创建无限的永久流程图。","You need to log in to access this page.":"您需要登录才能访问此页面。","You\'re already a Pro User. <0>Manage Subscription<1/>Have questions or feature requests? <2>Let Us Know":"您已经是专业用户。 <0>管理订阅<1/>有问题或功能请求? <2>告诉我们","You\'re doing great!":"你做得很棒!","You\'ve used all your free AI conversions. Upgrade to Pro for unlimited AI use, custom themes, private sharing, and more. Keep creating amazing flowcharts effortlessly!":"您已经使用完了所有的免费AI转换。升级到专业版,享受无限的AI使用、定制主题、私人共享等功能。轻松地创建出令人惊叹的流程图吧!","Your Charts":"您的图表","Your Sandbox is a space to freely experiment with our flowchart tools, resetting every day for a fresh start.":"你的沙盒是一个可以自由尝试我们的流程图工具的空间,每天都会重置,以便于重新开始。","Your charts are read-only because your account is no longer active. Visit your <0>account page to learn more.":"您的图表是只读的,因为您的帐户已不再活跃。请访问您的<0>帐户页面了解更多信息。","Your subscription is <0>{statusDisplay}.":["您的訂閱狀態為<0>",["statusDisplay"],"。"],"Zoom In":"放大","Zoom Out":"縮小","month":"月份","or":"或","{0}":[["0"]],"{buttonText}":[["buttonText"]]}' ), }; diff --git a/app/src/locales/zh/messages.po b/app/src/locales/zh/messages.po index b7bfd35d7..5f1de4714 100644 --- a/app/src/locales/zh/messages.po +++ b/app/src/locales/zh/messages.po @@ -110,6 +110,18 @@ msgstr "我的流程图是私人的吗?" msgid "Are there usage limits?" msgstr "有使用限制吗?" +#: src/components/charts/ChartModals.tsx:50 +msgid "Are you sure you want to delete the flowchart \"{0}\"? This action cannot be undone." +msgstr "您确定要删除流程图吗?" + +#: src/components/charts/ChartModals.tsx:39 +msgid "Are you sure you want to delete the folder \"{0}\" and all its contents? This action cannot be undone." +msgstr "您确定要删除文件夹吗?" + +#: src/components/charts/ChartModals.tsx:44 +msgid "Are you sure you want to delete the folder \"{0}\"? This action cannot be undone." +msgstr "您确定要删除文件夹吗?" + #: src/components/LoadTemplateDialog.tsx:121 msgid "Are you sure?" msgstr "你确定吗?" @@ -204,6 +216,11 @@ msgstr "建立您的个人流程图库" #: src/components/ImportDataDialog.tsx:698 #: src/components/LoadTemplateDialog.tsx:149 #: src/components/RenameButton.tsx:160 +#: src/components/charts/ChartModals.tsx:59 +#: src/components/charts/ChartModals.tsx:129 +#: src/components/charts/ChartModals.tsx:207 +#: src/components/charts/ChartModals.tsx:277 +#: src/components/charts/ChartModals.tsx:440 #: src/pages/Account.tsx:323 #: src/pages/Account.tsx:335 #: src/pages/Account.tsx:426 @@ -287,9 +304,15 @@ msgid "Clear text?" msgstr "清除文字?" #: src/components/CloneButton.tsx:48 +#: src/components/charts/ChartListItem.tsx:191 +#: src/components/charts/ChartModals.tsx:136 msgid "Clone" msgstr "克隆" +#: src/components/charts/ChartModals.tsx:111 +msgid "Clone Flowchart" +msgstr "克隆流程图" + #: src/components/LearnSyntaxDialog.tsx:413 msgid "Close" msgstr "关闭" @@ -398,6 +421,7 @@ msgstr "将你的 Excalidraw 代码复制并粘贴到<0>excalidraw.com以进 msgid "Copy your mermaid.js code or open it directly in the mermaid.js live editor." msgstr "复制您的mermaid.js代码或直接在mermaid.js实时编辑器中打开它。" +#: src/components/charts/ChartModals.tsx:284 #: src/pages/New.tsx:184 msgid "Create" msgstr "创建" @@ -418,6 +442,10 @@ msgstr "创建新图表" msgid "Create a flowchart showing the steps of planning and executing a school fundraising event" msgstr "创建一个流程图,展示规划和执行学校筹款活动的步骤" +#: src/components/charts/EmptyState.tsx:41 +msgid "Create a new flowchart to get started or organize your work with folders." +msgstr "创建一个新的流程图开始或使用文件夹组织您的工作。" + #: src/components/FlowchartHeader.tsx:44 msgid "Create flowcharts instantly: Type or paste text, see it visualized." msgstr "即时创建流程图:输入或粘贴文本,即可可视化。" @@ -434,6 +462,10 @@ msgstr "在云中存储无限流程图- 随时随地可访问!" msgid "Create with AI" msgstr "通過AI創建" +#: src/components/charts/ChartsToolbar.tsx:103 +msgid "Created Date" +msgstr "创建日期" + #: src/components/LearnSyntaxDialog.tsx:167 msgid "Creating an edge between two nodes is done by indenting the second node below the first" msgstr "在两个节点之间创建边缘是通过将第二个节点缩进第一个节点来完成的" @@ -481,6 +513,15 @@ msgstr "数据导入功能,适用于复杂的图表" msgid "Date" msgstr "日期" +#: src/components/charts/ChartListItem.tsx:205 +#: src/components/charts/ChartModals.tsx:62 +msgid "Delete" +msgstr "删除" + +#: src/components/charts/ChartModals.tsx:33 +msgid "Delete {0}" +msgstr "删除 {0}" + #: src/pages/createExamples.tsx:8 msgid "Design a software development lifecycle flowchart for an agile team" msgstr "为敏捷团队设计一个软件开发生命周期流程图" @@ -653,6 +694,18 @@ msgstr "空" msgid "Enable to set a consistent height for all nodes" msgstr "启用统一设置所有节点的高度" +#: src/components/charts/ChartModals.tsx:115 +msgid "Enter a name for the cloned flowchart." +msgstr "为克隆的流程图输入名称。" + +#: src/components/charts/ChartModals.tsx:263 +msgid "Enter a name for the new folder." +msgstr "为新文件夹输入名称。" + +#: src/components/charts/ChartModals.tsx:191 +msgid "Enter a new name for the {0}." +msgstr "为 {0} 输入新名称。" + #: src/pages/LogIn.tsx:138 msgid "Enter your email address and we'll send you a magic link to sign in." msgstr "輸入您的電子郵件地址,我們將發送給您一個魔法鏈接以登入。" @@ -803,6 +856,7 @@ msgid "Go to the Editor" msgstr "前往編輯器" #: src/pages/Charts.tsx:285 +#: src/pages/MyCharts.tsx:241 msgid "Go to your Sandbox" msgstr "去你的沙盒" @@ -1048,6 +1102,10 @@ msgstr "从链接加载?" msgid "Load layout and styles" msgstr "載入版面和樣式" +#: src/components/charts/ChartListItem.tsx:236 +msgid "Loading..." +msgstr "加载中..." + #: src/components/FeatureBreakdown.tsx:83 #: src/pages/Pricing.tsx:63 msgid "Local File Support" @@ -1103,6 +1161,15 @@ msgstr "节点内文本的最大宽度" msgid "Monthly" msgstr "每月" +#: src/components/charts/ChartListItem.tsx:179 +#: src/components/charts/ChartModals.tsx:443 +msgid "Move" +msgstr "移动" + +#: src/components/charts/ChartModals.tsx:398 +msgid "Move {0}" +msgstr "移动 {0}" + #: src/lib/parserErrors.tsx:29 msgid "Multiple pointers on same line" msgstr "同一行上的多个指针" @@ -1111,6 +1178,10 @@ msgstr "同一行上的多个指针" msgid "My dog ate my credit card!" msgstr "我的狗吃了我的信用卡!" +#: src/components/charts/ChartsToolbar.tsx:97 +msgid "Name" +msgstr "名称" + #: src/pages/New.tsx:108 #: src/pages/New.tsx:116 msgid "Name Chart" @@ -1130,6 +1201,17 @@ msgstr "新" msgid "New Email" msgstr "新邮件" +#: src/components/charts/ChartsToolbar.tsx:139 +#: src/components/charts/EmptyState.tsx:55 +msgid "New Flowchart" +msgstr "新流程图" + +#: src/components/charts/ChartModals.tsx:259 +#: src/components/charts/ChartsToolbar.tsx:147 +#: src/components/charts/EmptyState.tsx:62 +msgid "New Folder" +msgstr "新文件夹" + #: src/pages/Account.tsx:171 #: src/pages/Account.tsx:472 msgid "Next charge" @@ -1139,10 +1221,26 @@ msgstr "下次扣费" msgid "No Edges" msgstr "沒有邊緣" +#: src/components/charts/ChartModals.tsx:429 +msgid "No Folder (Root)" +msgstr "无文件夹(根目录)" + #: src/pages/Pricing.tsx:67 msgid "No Watermarks!" msgstr "无水印!" +#: src/components/charts/EmptyState.tsx:30 +msgid "No charts yet" +msgstr "还没有图表" + +#: src/components/charts/ChartListItem.tsx:253 +msgid "No items in this folder" +msgstr "此文件夹中没有项目" + +#: src/components/charts/EmptyState.tsx:28 +msgid "No matching charts found" +msgstr "没有找到匹配的图表" + #: src/components/FAQ.tsx:23 msgid "No, there are no usage limits with the Pro plan. Enjoy unlimited flowchart creation and AI features, giving you the freedom to explore and innovate without restrictions." msgstr "不,专业版没有使用限制。享受无限流程图创建和AI功能,让您有自由去探索和创新,没有任何限制。" @@ -1379,9 +1477,15 @@ msgstr "重新加载以更新" #: src/components/RenameButton.tsx:100 #: src/components/RenameButton.tsx:121 #: src/components/RenameButton.tsx:163 +#: src/components/charts/ChartListItem.tsx:168 +#: src/components/charts/ChartModals.tsx:214 msgid "Rename" msgstr "重命名" +#: src/components/charts/ChartModals.tsx:187 +msgid "Rename {0}" +msgstr "重命名{0}" + #: src/pages/LogIn.tsx:164 msgid "Request Magic Link" msgstr "請求魔法鏈接" @@ -1471,6 +1575,10 @@ msgstr "安全付款" msgid "See more reviews on Product Hunt" msgstr "在Product Hunt上查看更多评论" +#: src/components/charts/ChartModals.tsx:402 +msgid "Select a destination folder for \"{0}\"." +msgstr "选择一个目标文件夹 \" + #: src/components/Tabs/ThemeTab.tsx:395 msgid "Set a consistent height for all nodes" msgstr "设置所有节点的统一高度" @@ -1506,6 +1614,18 @@ msgstr "抱歉!此页面只有英语版。" msgid "Sorry, there was an error converting the text to a flowchart. Try again later." msgstr "抱歉,转换文本为流程图时出错。 请稍后再试。" +#: src/components/charts/ChartsToolbar.tsx:124 +msgid "Sort Ascending" +msgstr "升序排序" + +#: src/components/charts/ChartsToolbar.tsx:119 +msgid "Sort Descending" +msgstr "倒序排列" + +#: src/components/charts/ChartsToolbar.tsx:79 +msgid "Sort by {0}" +msgstr "按{0}排序" + #: src/components/Tabs/ThemeTab.tsx:491 #: src/components/Tabs/ThemeTab.tsx:492 msgid "Source Arrow Shape" @@ -1780,6 +1900,10 @@ msgstr "受专业人士和学者信任" msgid "Try AI" msgstr "尝试人工智能" +#: src/components/charts/EmptyState.tsx:36 +msgid "Try adjusting your search or filters to find what you're looking for." +msgstr "尝试调整您的搜索或筛选条件以找到您想要的内容。" + #: src/components/App.tsx:82 msgid "Try again" msgstr "重试" @@ -1845,6 +1969,10 @@ msgstr "未付" msgid "Update Email" msgstr "更新电子邮件" +#: src/components/charts/ChartsToolbar.tsx:109 +msgid "Updated Date" +msgstr "更新日期" + #: src/components/SandboxWarning.tsx:95 msgid "Upgrade Now - Save My Work" msgstr "立即升级 - 保存我的工作" @@ -2037,6 +2165,7 @@ msgid "You've used all your free AI conversions. Upgrade to Pro for unlimited AI msgstr "您已经使用完了所有的免费AI转换。升级到专业版,享受无限的AI使用、定制主题、私人共享等功能。轻松地创建出令人惊叹的流程图吧!" #: src/pages/Charts.tsx:93 +#: src/pages/MyCharts.tsx:235 msgid "Your Charts" msgstr "您的图表" diff --git a/app/src/pages/MyCharts.tsx b/app/src/pages/MyCharts.tsx new file mode 100644 index 000000000..62d2dcaee --- /dev/null +++ b/app/src/pages/MyCharts.tsx @@ -0,0 +1,325 @@ +import { Trans } from "@lingui/macro"; +import { useCallback, useContext, useState } from "react"; +import { useNavigate } from "react-router-dom"; +import { AppContext } from "../components/AppContextProvider"; +import { ChartsToolbar } from "../components/charts/ChartsToolbar"; +import { ChartListItem } from "../components/charts/ChartListItem"; +import { + DeleteModal, + CloneModal, + RenameModal, + NewFolderModal, + MoveModal, +} from "../components/charts/ChartModals"; +import { EmptyState } from "../components/charts/EmptyState"; +import { ChartItem, SortConfig } from "../components/charts/types"; +import { ArrowRight } from "phosphor-react"; +import { + useItemsByParentId, + useCreateFolder, + useDeleteFolder, + useDeleteChart, + useRenameFolder, + useRenameChart, + useMoveFolder, + useMoveChart, + useCloneChart, +} from "../lib/folderQueries"; +import { useMemo } from "react"; + +// Component for the main page title +function PageTitle({ children }: { children: React.ReactNode }) { + return ( +

+ {children} +

+ ); +} + +export default function MyCharts() { + const navigate = useNavigate(); + const { session } = useContext(AppContext); + const userId = session?.user?.id; + + // State for folder navigation + const [currentFolderId, setCurrentFolderId] = useState(null); + + // Fetch data using the query hook + const { + data: chartItems = [], + isLoading: loading, + error, + } = useItemsByParentId(currentFolderId); + + // State for search and sort + const [searchQuery, setSearchQuery] = useState(""); + const [sortConfig, setSortConfig] = useState({ + sortBy: "updatedAt", + direction: "desc", + }); + + // State for modal interactions + const [deleteModalItem, setDeleteModalItem] = useState( + null + ); + const [cloneModalItem, setCloneModalItem] = useState(null); + const [renameModalItem, setRenameModalItem] = useState( + null + ); + const [moveModalItem, setMoveModalItem] = useState(null); + const [isNewFolderModalOpen, setIsNewFolderModalOpen] = useState(false); + + // Setup mutation hooks + const deleteFolder = useDeleteFolder(); + const deleteChart = useDeleteChart(); + const renameFolder = useRenameFolder(); + const renameChart = useRenameChart(); + const moveFolder = useMoveFolder(); + const moveChart = useMoveChart(); + const cloneChart = useCloneChart(); + const createFolder = useCreateFolder(); + + // Filter items based on search query + const filteredItems = useMemo(() => { + if (!searchQuery.trim()) return chartItems; + + const query = searchQuery.toLowerCase(); + return chartItems.filter((item) => item.name.toLowerCase().includes(query)); + }, [chartItems, searchQuery]); + + // Sort items + const filteredAndSortedItems = useMemo(() => { + // First separate folders and charts + const folders = filteredItems.filter((item) => item.type === "folder"); + const charts = filteredItems.filter((item) => item.type === "chart"); + + // Only sort the charts based on the sort configuration + const sortedCharts = [...charts].sort((a, b) => { + const aValue = a[sortConfig.sortBy]; + const bValue = b[sortConfig.sortBy]; + + if (sortConfig.sortBy === "name") { + const comparison = (a.name || "").localeCompare(b.name || ""); + return sortConfig.direction === "asc" ? comparison : -comparison; + } else { + const comparison = + new Date(bValue).getTime() - new Date(aValue).getTime(); + return sortConfig.direction === "asc" ? -comparison : comparison; + } + }); + + // Return folders first, then sorted charts + return [...folders, ...sortedCharts]; + }, [filteredItems, sortConfig]); + + // Handlers for chart operations + const handleDeleteConfirm = useCallback(() => { + if (!deleteModalItem) return; + + if (deleteModalItem.type === "folder") { + deleteFolder.mutate({ id: deleteModalItem.id }); + } else { + deleteChart.mutate({ id: deleteModalItem.id }); + } + + setDeleteModalItem(null); + }, [deleteModalItem, deleteFolder, deleteChart]); + + const handleCloneConfirm = useCallback( + (newName: string) => { + if (!cloneModalItem || cloneModalItem.type !== "chart" || !userId) return; + + cloneChart.mutate({ + id: cloneModalItem.id, + newName, + userId, + }); + + setCloneModalItem(null); + }, + [cloneModalItem, cloneChart, userId] + ); + + const handleRenameConfirm = useCallback( + (newName: string) => { + if (!renameModalItem) return; + + if (renameModalItem.type === "folder") { + renameFolder.mutate({ + id: renameModalItem.id, + name: newName, + }); + } else { + renameChart.mutate({ + id: renameModalItem.id, + name: newName, + }); + } + + setRenameModalItem(null); + }, + [renameModalItem, renameFolder, renameChart] + ); + + const handleMoveConfirm = useCallback( + (destinationFolderId: string | null) => { + if (!moveModalItem) return; + + if (moveModalItem.type === "folder") { + moveFolder.mutate({ + id: moveModalItem.id, + newParentId: destinationFolderId, + }); + } else { + moveChart.mutate({ + id: moveModalItem.id, + newFolderId: destinationFolderId, + }); + } + + setMoveModalItem(null); + }, + [moveModalItem, moveFolder, moveChart] + ); + + const handleNewFolderConfirm = useCallback( + (name: string) => { + if (!userId) return; + + createFolder.mutate({ + name, + parent_id: currentFolderId, + user_id: userId, + }); + + setIsNewFolderModalOpen(false); + }, + [currentFolderId, createFolder, userId] + ); + + const handleOpenChart = useCallback( + (item: ChartItem) => { + if (item.type === "chart") { + navigate(`/chart/${item.id}`); + } else if (item.type === "folder") { + // Navigate to folder + setCurrentFolderId(item.id); + } + }, + [navigate] + ); + + const handleNewChart = useCallback(() => { + navigate("/new"); + }, [navigate]); + + // Get all folders for the move modal (for the folder selector) + const allFolders = useMemo(() => { + return chartItems.filter((item) => item.type === "folder"); + }, [chartItems]); + + if (error) { + return ( +
+
+

Error loading charts: {(error as Error).message}

+
+
+ ); + } + + return ( +
+
+ + Your Charts + + + Go to your Sandbox + + +
+ + setIsNewFolderModalOpen(true)} + /> + + {loading ? ( +
+
+ {[...Array(5)].map((_, i) => ( +
+ ))} +
+
+ ) : filteredAndSortedItems.length === 0 ? ( + setIsNewFolderModalOpen(true)} + isFiltered={searchQuery.trim() !== ""} + /> + ) : ( +
+ {filteredAndSortedItems.map((item) => ( + + ))} +
+ )} + + {/* Modals */} + setDeleteModalItem(null)} + item={deleteModalItem} + onConfirm={handleDeleteConfirm} + /> + + setCloneModalItem(null)} + item={cloneModalItem} + onConfirm={handleCloneConfirm} + /> + + setRenameModalItem(null)} + item={renameModalItem} + onConfirm={handleRenameConfirm} + /> + + setMoveModalItem(null)} + item={moveModalItem} + folders={allFolders} + onConfirm={handleMoveConfirm} + /> + + setIsNewFolderModalOpen(false)} + onConfirm={handleNewFolderConfirm} + /> +
+ ); +} diff --git a/app/src/types/database.types.ts b/app/src/types/database.types.ts index 2c081271b..76dbb1eb0 100644 --- a/app/src/types/database.types.ts +++ b/app/src/types/database.types.ts @@ -6,9 +6,44 @@ export type Json = | { [key: string]: Json | undefined } | Json[]; -export interface Database { +export type Database = { public: { Tables: { + folders: { + Row: { + created_at: string | null; + id: string; + name: string; + parent_id: string | null; + updated_at: string | null; + user_id: string; + }; + Insert: { + created_at?: string | null; + id?: string; + name: string; + parent_id?: string | null; + updated_at?: string | null; + user_id: string; + }; + Update: { + created_at?: string | null; + id?: string; + name?: string; + parent_id?: string | null; + updated_at?: string | null; + user_id?: string; + }; + Relationships: [ + { + foreignKeyName: "folders_parent_id_fkey"; + columns: ["parent_id"]; + isOneToOne: false; + referencedRelation: "folders"; + referencedColumns: ["id"]; + } + ]; + }; profiles: { Row: { customer_id: string; @@ -28,19 +63,13 @@ export interface Database { subscription_id?: string; updated_at?: string | null; }; - Relationships: [ - { - foreignKeyName: "profiles_id_fkey"; - columns: ["id"]; - referencedRelation: "users"; - referencedColumns: ["id"]; - } - ]; + Relationships: []; }; user_charts: { Row: { chart: string; created_at: string; + folder_id: string | null; id: number; is_public: boolean; name: string; @@ -51,6 +80,7 @@ export interface Database { Insert: { chart: string; created_at?: string; + folder_id?: string | null; id?: number; is_public?: boolean; name: string; @@ -61,6 +91,7 @@ export interface Database { Update: { chart?: string; created_at?: string; + folder_id?: string | null; id?: number; is_public?: boolean; name?: string; @@ -70,9 +101,10 @@ export interface Database { }; Relationships: [ { - foreignKeyName: "user_charts_user_id_fkey"; - columns: ["user_id"]; - referencedRelation: "users"; + foreignKeyName: "user_charts_folder_id_fkey"; + columns: ["folder_id"]; + isOneToOne: false; + referencedRelation: "folders"; referencedColumns: ["id"]; } ]; @@ -91,4 +123,115 @@ export interface Database { [_ in never]: never; }; }; -} +}; + +type DefaultSchema = Database[Extract]; + +export type Tables< + DefaultSchemaTableNameOrOptions extends + | keyof (DefaultSchema["Tables"] & DefaultSchema["Views"]) + | { schema: keyof Database }, + TableName extends DefaultSchemaTableNameOrOptions extends { + schema: keyof Database; + } + ? keyof (Database[DefaultSchemaTableNameOrOptions["schema"]]["Tables"] & + Database[DefaultSchemaTableNameOrOptions["schema"]]["Views"]) + : never = never +> = DefaultSchemaTableNameOrOptions extends { schema: keyof Database } + ? (Database[DefaultSchemaTableNameOrOptions["schema"]]["Tables"] & + Database[DefaultSchemaTableNameOrOptions["schema"]]["Views"])[TableName] extends { + Row: infer R; + } + ? R + : never + : DefaultSchemaTableNameOrOptions extends keyof (DefaultSchema["Tables"] & + DefaultSchema["Views"]) + ? (DefaultSchema["Tables"] & + DefaultSchema["Views"])[DefaultSchemaTableNameOrOptions] extends { + Row: infer R; + } + ? R + : never + : never; + +export type TablesInsert< + DefaultSchemaTableNameOrOptions extends + | keyof DefaultSchema["Tables"] + | { schema: keyof Database }, + TableName extends DefaultSchemaTableNameOrOptions extends { + schema: keyof Database; + } + ? keyof Database[DefaultSchemaTableNameOrOptions["schema"]]["Tables"] + : never = never +> = DefaultSchemaTableNameOrOptions extends { schema: keyof Database } + ? Database[DefaultSchemaTableNameOrOptions["schema"]]["Tables"][TableName] extends { + Insert: infer I; + } + ? I + : never + : DefaultSchemaTableNameOrOptions extends keyof DefaultSchema["Tables"] + ? DefaultSchema["Tables"][DefaultSchemaTableNameOrOptions] extends { + Insert: infer I; + } + ? I + : never + : never; + +export type TablesUpdate< + DefaultSchemaTableNameOrOptions extends + | keyof DefaultSchema["Tables"] + | { schema: keyof Database }, + TableName extends DefaultSchemaTableNameOrOptions extends { + schema: keyof Database; + } + ? keyof Database[DefaultSchemaTableNameOrOptions["schema"]]["Tables"] + : never = never +> = DefaultSchemaTableNameOrOptions extends { schema: keyof Database } + ? Database[DefaultSchemaTableNameOrOptions["schema"]]["Tables"][TableName] extends { + Update: infer U; + } + ? U + : never + : DefaultSchemaTableNameOrOptions extends keyof DefaultSchema["Tables"] + ? DefaultSchema["Tables"][DefaultSchemaTableNameOrOptions] extends { + Update: infer U; + } + ? U + : never + : never; + +export type Enums< + DefaultSchemaEnumNameOrOptions extends + | keyof DefaultSchema["Enums"] + | { schema: keyof Database }, + EnumName extends DefaultSchemaEnumNameOrOptions extends { + schema: keyof Database; + } + ? keyof Database[DefaultSchemaEnumNameOrOptions["schema"]]["Enums"] + : never = never +> = DefaultSchemaEnumNameOrOptions extends { schema: keyof Database } + ? Database[DefaultSchemaEnumNameOrOptions["schema"]]["Enums"][EnumName] + : DefaultSchemaEnumNameOrOptions extends keyof DefaultSchema["Enums"] + ? DefaultSchema["Enums"][DefaultSchemaEnumNameOrOptions] + : never; + +export type CompositeTypes< + PublicCompositeTypeNameOrOptions extends + | keyof DefaultSchema["CompositeTypes"] + | { schema: keyof Database }, + CompositeTypeName extends PublicCompositeTypeNameOrOptions extends { + schema: keyof Database; + } + ? keyof Database[PublicCompositeTypeNameOrOptions["schema"]]["CompositeTypes"] + : never = never +> = PublicCompositeTypeNameOrOptions extends { schema: keyof Database } + ? Database[PublicCompositeTypeNameOrOptions["schema"]]["CompositeTypes"][CompositeTypeName] + : PublicCompositeTypeNameOrOptions extends keyof DefaultSchema["CompositeTypes"] + ? DefaultSchema["CompositeTypes"][PublicCompositeTypeNameOrOptions] + : never; + +export const Constants = { + public: { + Enums: {}, + }, +} as const; From 44ee2800173b50d680572a7fe8ea1d70fa107853 Mon Sep 17 00:00:00 2001 From: Rob Gordon Date: Tue, 8 Apr 2025 21:17:31 -0400 Subject: [PATCH 2/2] chore: version feature --- app/package.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/package.json b/app/package.json index 25627a417..b0d6630be 100644 --- a/app/package.json +++ b/app/package.json @@ -1,6 +1,6 @@ { "name": "app", - "version": "1.62.4", + "version": "1.63.0", "main": "module/module.js", "license": "MIT", "scripts": {