mirror of
https://github.com/documenso/documenso.git
synced 2025-11-12 07:43:16 +10:00
Compare commits
4 Commits
f93d34c38e
...
feat/bin-t
| Author | SHA1 | Date | |
|---|---|---|---|
| c3d3b934c4 | |||
| 201dc0f3fa | |||
| c560b9e9e3 | |||
| 27cd8f9c25 |
@ -162,7 +162,16 @@ export const DocumentDeleteDialog = ({
|
|||||||
</ul>
|
</ul>
|
||||||
</AlertDescription>
|
</AlertDescription>
|
||||||
))
|
))
|
||||||
.exhaustive()}
|
// DocumentStatus.REJECTED isnt working currently so this is a fallback to prevent 500 error.
|
||||||
|
// The union should work but currently its not
|
||||||
|
.otherwise(() => (
|
||||||
|
<AlertDescription>
|
||||||
|
<Trans>
|
||||||
|
Please note that this action is <strong>irreversible</strong>. Once confirmed,
|
||||||
|
this document will be permanently deleted.
|
||||||
|
</Trans>
|
||||||
|
</AlertDescription>
|
||||||
|
))}
|
||||||
</Alert>
|
</Alert>
|
||||||
) : (
|
) : (
|
||||||
<Alert variant="warning" className="-mt-1">
|
<Alert variant="warning" className="-mt-1">
|
||||||
|
|||||||
119
apps/remix/app/components/dialogs/document-restore-dialog.tsx
Normal file
119
apps/remix/app/components/dialogs/document-restore-dialog.tsx
Normal file
@ -0,0 +1,119 @@
|
|||||||
|
import { msg } from '@lingui/core/macro';
|
||||||
|
import { useLingui } from '@lingui/react';
|
||||||
|
import { Trans } from '@lingui/react/macro';
|
||||||
|
|
||||||
|
import { useLimits } from '@documenso/ee/server-only/limits/provider/client';
|
||||||
|
import { trpc as trpcReact } from '@documenso/trpc/react';
|
||||||
|
import { Alert, AlertDescription } from '@documenso/ui/primitives/alert';
|
||||||
|
import { Button } from '@documenso/ui/primitives/button';
|
||||||
|
import {
|
||||||
|
Dialog,
|
||||||
|
DialogContent,
|
||||||
|
DialogDescription,
|
||||||
|
DialogFooter,
|
||||||
|
DialogHeader,
|
||||||
|
DialogTitle,
|
||||||
|
} from '@documenso/ui/primitives/dialog';
|
||||||
|
import { useToast } from '@documenso/ui/primitives/use-toast';
|
||||||
|
|
||||||
|
type DocumentRestoreDialogProps = {
|
||||||
|
id: number;
|
||||||
|
open: boolean;
|
||||||
|
onOpenChange: (_open: boolean) => void;
|
||||||
|
onRestore?: () => Promise<void> | void;
|
||||||
|
documentTitle: string;
|
||||||
|
teamId?: number;
|
||||||
|
canManageDocument: boolean;
|
||||||
|
};
|
||||||
|
|
||||||
|
export const DocumentRestoreDialog = ({
|
||||||
|
id,
|
||||||
|
open,
|
||||||
|
onOpenChange,
|
||||||
|
onRestore,
|
||||||
|
documentTitle,
|
||||||
|
canManageDocument,
|
||||||
|
}: DocumentRestoreDialogProps) => {
|
||||||
|
const { toast } = useToast();
|
||||||
|
const { refreshLimits } = useLimits();
|
||||||
|
const { _ } = useLingui();
|
||||||
|
|
||||||
|
const { mutateAsync: restoreDocument, isPending } =
|
||||||
|
trpcReact.document.restoreDocument.useMutation({
|
||||||
|
onSuccess: async () => {
|
||||||
|
void refreshLimits();
|
||||||
|
|
||||||
|
toast({
|
||||||
|
title: _(msg`Document restored`),
|
||||||
|
description: _(msg`"${documentTitle}" has been successfully restored`),
|
||||||
|
duration: 5000,
|
||||||
|
});
|
||||||
|
|
||||||
|
await onRestore?.();
|
||||||
|
|
||||||
|
onOpenChange(false);
|
||||||
|
},
|
||||||
|
onError: () => {
|
||||||
|
toast({
|
||||||
|
title: _(msg`Something went wrong`),
|
||||||
|
description: _(msg`This document could not be restored at this time. Please try again.`),
|
||||||
|
variant: 'destructive',
|
||||||
|
duration: 7500,
|
||||||
|
});
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Dialog open={open} onOpenChange={(value) => !isPending && onOpenChange(value)}>
|
||||||
|
<DialogContent>
|
||||||
|
<DialogHeader>
|
||||||
|
<DialogTitle>
|
||||||
|
<Trans>Restore Document</Trans>
|
||||||
|
</DialogTitle>
|
||||||
|
|
||||||
|
<DialogDescription>
|
||||||
|
{canManageDocument ? (
|
||||||
|
<Trans>
|
||||||
|
You are about to restore <strong>"{documentTitle}"</strong>
|
||||||
|
</Trans>
|
||||||
|
) : (
|
||||||
|
<Trans>
|
||||||
|
You are about to unhide <strong>"{documentTitle}"</strong>
|
||||||
|
</Trans>
|
||||||
|
)}
|
||||||
|
</DialogDescription>
|
||||||
|
</DialogHeader>
|
||||||
|
|
||||||
|
<Alert variant="neutral" className="-mt-1">
|
||||||
|
<AlertDescription>
|
||||||
|
{canManageDocument ? (
|
||||||
|
<Trans>
|
||||||
|
The document will be restored to your account and will be available in your
|
||||||
|
documents list.
|
||||||
|
</Trans>
|
||||||
|
) : (
|
||||||
|
<Trans>
|
||||||
|
The document will be unhidden from your account and will be available in your
|
||||||
|
documents list.
|
||||||
|
</Trans>
|
||||||
|
)}
|
||||||
|
</AlertDescription>
|
||||||
|
</Alert>
|
||||||
|
|
||||||
|
<DialogFooter>
|
||||||
|
<Button type="button" variant="secondary" onClick={() => onOpenChange(false)}>
|
||||||
|
<Trans>Cancel</Trans>
|
||||||
|
</Button>
|
||||||
|
|
||||||
|
<Button
|
||||||
|
type="button"
|
||||||
|
loading={isPending}
|
||||||
|
onClick={() => void restoreDocument({ documentId: id })}
|
||||||
|
>
|
||||||
|
<Trans>Restore</Trans>
|
||||||
|
</Button>
|
||||||
|
</DialogFooter>
|
||||||
|
</DialogContent>
|
||||||
|
</Dialog>
|
||||||
|
);
|
||||||
|
};
|
||||||
@ -38,11 +38,6 @@ export const DocumentSigningRecipientProvider = ({
|
|||||||
recipient,
|
recipient,
|
||||||
targetSigner = null,
|
targetSigner = null,
|
||||||
}: DocumentSigningRecipientProviderProps) => {
|
}: DocumentSigningRecipientProviderProps) => {
|
||||||
// console.log({
|
|
||||||
// recipient,
|
|
||||||
// targetSigner,
|
|
||||||
// isAssistantMode: !!targetSigner,
|
|
||||||
// });
|
|
||||||
return (
|
return (
|
||||||
<DocumentSigningRecipientContext.Provider
|
<DocumentSigningRecipientContext.Provider
|
||||||
value={{
|
value={{
|
||||||
|
|||||||
@ -170,6 +170,7 @@ export const DocumentHistorySheet = ({
|
|||||||
{ type: DOCUMENT_AUDIT_LOG_TYPE.DOCUMENT_RECIPIENT_REJECTED },
|
{ type: DOCUMENT_AUDIT_LOG_TYPE.DOCUMENT_RECIPIENT_REJECTED },
|
||||||
{ type: DOCUMENT_AUDIT_LOG_TYPE.DOCUMENT_SENT },
|
{ type: DOCUMENT_AUDIT_LOG_TYPE.DOCUMENT_SENT },
|
||||||
{ type: DOCUMENT_AUDIT_LOG_TYPE.DOCUMENT_MOVED_TO_TEAM },
|
{ type: DOCUMENT_AUDIT_LOG_TYPE.DOCUMENT_MOVED_TO_TEAM },
|
||||||
|
{ type: DOCUMENT_AUDIT_LOG_TYPE.DOCUMENT_RESTORED },
|
||||||
() => null,
|
() => null,
|
||||||
)
|
)
|
||||||
.with(
|
.with(
|
||||||
|
|||||||
@ -25,7 +25,7 @@ export const DocumentPageViewInformation = ({
|
|||||||
const { _, i18n } = useLingui();
|
const { _, i18n } = useLingui();
|
||||||
|
|
||||||
const documentInformation = useMemo(() => {
|
const documentInformation = useMemo(() => {
|
||||||
return [
|
const documentInfo = [
|
||||||
{
|
{
|
||||||
description: msg`Uploaded by`,
|
description: msg`Uploaded by`,
|
||||||
value:
|
value:
|
||||||
@ -44,6 +44,19 @@ export const DocumentPageViewInformation = ({
|
|||||||
.toRelative(),
|
.toRelative(),
|
||||||
},
|
},
|
||||||
];
|
];
|
||||||
|
|
||||||
|
if (document.deletedAt) {
|
||||||
|
documentInfo.push({
|
||||||
|
description: msg`Deleted`,
|
||||||
|
value:
|
||||||
|
document.deletedAt &&
|
||||||
|
DateTime.fromJSDate(document.deletedAt)
|
||||||
|
.setLocale(i18n.locales?.[0] || i18n.locale)
|
||||||
|
.toFormat('MMMM d, yyyy'),
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
return documentInfo;
|
||||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||||
}, [isMounted, document, userId]);
|
}, [isMounted, document, userId]);
|
||||||
|
|
||||||
|
|||||||
@ -3,7 +3,7 @@ import type { HTMLAttributes } from 'react';
|
|||||||
import type { MessageDescriptor } from '@lingui/core';
|
import type { MessageDescriptor } from '@lingui/core';
|
||||||
import { msg } from '@lingui/core/macro';
|
import { msg } from '@lingui/core/macro';
|
||||||
import { useLingui } from '@lingui/react';
|
import { useLingui } from '@lingui/react';
|
||||||
import { CheckCircle2, Clock, File, XCircle } from 'lucide-react';
|
import { CheckCircle2, Clock, File, Trash, XCircle } from 'lucide-react';
|
||||||
import type { LucideIcon } from 'lucide-react/dist/lucide-react';
|
import type { LucideIcon } from 'lucide-react/dist/lucide-react';
|
||||||
|
|
||||||
import type { ExtendedDocumentStatus } from '@documenso/prisma/types/extended-document-status';
|
import type { ExtendedDocumentStatus } from '@documenso/prisma/types/extended-document-status';
|
||||||
@ -36,11 +36,11 @@ export const FRIENDLY_STATUS_MAP: Record<ExtendedDocumentStatus, FriendlyStatus>
|
|||||||
icon: File,
|
icon: File,
|
||||||
color: 'text-yellow-500 dark:text-yellow-200',
|
color: 'text-yellow-500 dark:text-yellow-200',
|
||||||
},
|
},
|
||||||
REJECTED: {
|
DELETED: {
|
||||||
label: msg`Rejected`,
|
label: msg`Deleted`,
|
||||||
labelExtended: msg`Document rejected`,
|
labelExtended: msg`Document deleted`,
|
||||||
icon: XCircle,
|
icon: Trash,
|
||||||
color: 'text-red-500 dark:text-red-300',
|
color: 'text-red-700 dark:text-red-500',
|
||||||
},
|
},
|
||||||
INBOX: {
|
INBOX: {
|
||||||
label: msg`Inbox`,
|
label: msg`Inbox`,
|
||||||
@ -53,6 +53,12 @@ export const FRIENDLY_STATUS_MAP: Record<ExtendedDocumentStatus, FriendlyStatus>
|
|||||||
labelExtended: msg`Document All`,
|
labelExtended: msg`Document All`,
|
||||||
color: 'text-muted-foreground',
|
color: 'text-muted-foreground',
|
||||||
},
|
},
|
||||||
|
REJECTED: {
|
||||||
|
label: msg`Rejected`,
|
||||||
|
labelExtended: msg`Document rejected`,
|
||||||
|
icon: XCircle,
|
||||||
|
color: 'text-red-500 dark:text-red-300',
|
||||||
|
},
|
||||||
};
|
};
|
||||||
|
|
||||||
export type DocumentStatusProps = HTMLAttributes<HTMLSpanElement> & {
|
export type DocumentStatusProps = HTMLAttributes<HTMLSpanElement> & {
|
||||||
|
|||||||
@ -15,6 +15,7 @@ import {
|
|||||||
MoreHorizontal,
|
MoreHorizontal,
|
||||||
MoveRight,
|
MoveRight,
|
||||||
Pencil,
|
Pencil,
|
||||||
|
RotateCcw,
|
||||||
Share,
|
Share,
|
||||||
Trash2,
|
Trash2,
|
||||||
} from 'lucide-react';
|
} from 'lucide-react';
|
||||||
@ -39,6 +40,7 @@ import { DocumentDeleteDialog } from '~/components/dialogs/document-delete-dialo
|
|||||||
import { DocumentDuplicateDialog } from '~/components/dialogs/document-duplicate-dialog';
|
import { DocumentDuplicateDialog } from '~/components/dialogs/document-duplicate-dialog';
|
||||||
import { DocumentMoveDialog } from '~/components/dialogs/document-move-dialog';
|
import { DocumentMoveDialog } from '~/components/dialogs/document-move-dialog';
|
||||||
import { DocumentResendDialog } from '~/components/dialogs/document-resend-dialog';
|
import { DocumentResendDialog } from '~/components/dialogs/document-resend-dialog';
|
||||||
|
import { DocumentRestoreDialog } from '~/components/dialogs/document-restore-dialog';
|
||||||
import { DocumentRecipientLinkCopyDialog } from '~/components/general/document/document-recipient-link-copy-dialog';
|
import { DocumentRecipientLinkCopyDialog } from '~/components/general/document/document-recipient-link-copy-dialog';
|
||||||
import { useOptionalCurrentTeam } from '~/providers/team';
|
import { useOptionalCurrentTeam } from '~/providers/team';
|
||||||
|
|
||||||
@ -58,18 +60,20 @@ export const DocumentsTableActionDropdown = ({ row }: DocumentsTableActionDropdo
|
|||||||
const { _ } = useLingui();
|
const { _ } = useLingui();
|
||||||
|
|
||||||
const [isDeleteDialogOpen, setDeleteDialogOpen] = useState(false);
|
const [isDeleteDialogOpen, setDeleteDialogOpen] = useState(false);
|
||||||
|
const [isRestoreDialogOpen, setRestoreDialogOpen] = useState(false);
|
||||||
const [isDuplicateDialogOpen, setDuplicateDialogOpen] = useState(false);
|
const [isDuplicateDialogOpen, setDuplicateDialogOpen] = useState(false);
|
||||||
const [isMoveDialogOpen, setMoveDialogOpen] = useState(false);
|
const [isMoveDialogOpen, setMoveDialogOpen] = useState(false);
|
||||||
|
|
||||||
const recipient = row.recipients.find((recipient) => recipient.email === user.email);
|
const recipient = row.recipients.find((recipient) => recipient.email === user.email);
|
||||||
|
|
||||||
const isOwner = row.user.id === user.id;
|
const isOwner = row.user.id === user.id;
|
||||||
// const isRecipient = !!recipient;
|
const isRecipient = !!recipient;
|
||||||
const isDraft = row.status === DocumentStatus.DRAFT;
|
const isDraft = row.status === DocumentStatus.DRAFT;
|
||||||
const isPending = row.status === DocumentStatus.PENDING;
|
const isPending = row.status === DocumentStatus.PENDING;
|
||||||
const isComplete = isDocumentCompleted(row.status);
|
const isComplete = isDocumentCompleted(row.status);
|
||||||
// const isSigned = recipient?.signingStatus === SigningStatus.SIGNED;
|
// const isSigned = recipient?.signingStatus === SigningStatus.SIGNED;
|
||||||
const isCurrentTeamDocument = team && row.team?.url === team.url;
|
const isCurrentTeamDocument = team && row.team?.url === team.url;
|
||||||
|
const isDocumentDeleted = row.deletedAt !== null;
|
||||||
const canManageDocument = Boolean(isOwner || isCurrentTeamDocument);
|
const canManageDocument = Boolean(isOwner || isCurrentTeamDocument);
|
||||||
|
|
||||||
const documentsPath = formatDocumentsPath(team?.url);
|
const documentsPath = formatDocumentsPath(team?.url);
|
||||||
@ -171,10 +175,17 @@ export const DocumentsTableActionDropdown = ({ row }: DocumentsTableActionDropdo
|
|||||||
Void
|
Void
|
||||||
</DropdownMenuItem> */}
|
</DropdownMenuItem> */}
|
||||||
|
|
||||||
<DropdownMenuItem onClick={() => setDeleteDialogOpen(true)}>
|
{isDocumentDeleted || (isRecipient && !canManageDocument) ? (
|
||||||
<Trash2 className="mr-2 h-4 w-4" />
|
<DropdownMenuItem disabled={isRecipient} onClick={() => setRestoreDialogOpen(true)}>
|
||||||
{canManageDocument ? _(msg`Delete`) : _(msg`Hide`)}
|
<RotateCcw className="mr-2 h-4 w-4" />
|
||||||
</DropdownMenuItem>
|
<Trans>Restore</Trans>
|
||||||
|
</DropdownMenuItem>
|
||||||
|
) : (
|
||||||
|
<DropdownMenuItem onClick={() => setDeleteDialogOpen(true)}>
|
||||||
|
<Trash2 className="mr-2 h-4 w-4" />
|
||||||
|
{canManageDocument ? _(msg`Delete`) : _(msg`Hide`)}
|
||||||
|
</DropdownMenuItem>
|
||||||
|
)}
|
||||||
|
|
||||||
<DropdownMenuLabel>
|
<DropdownMenuLabel>
|
||||||
<Trans>Share</Trans>
|
<Trans>Share</Trans>
|
||||||
@ -220,6 +231,15 @@ export const DocumentsTableActionDropdown = ({ row }: DocumentsTableActionDropdo
|
|||||||
canManageDocument={canManageDocument}
|
canManageDocument={canManageDocument}
|
||||||
/>
|
/>
|
||||||
|
|
||||||
|
<DocumentRestoreDialog
|
||||||
|
id={row.id}
|
||||||
|
open={isRestoreDialogOpen}
|
||||||
|
onOpenChange={setRestoreDialogOpen}
|
||||||
|
documentTitle={row.title}
|
||||||
|
teamId={team?.id}
|
||||||
|
canManageDocument={canManageDocument}
|
||||||
|
/>
|
||||||
|
|
||||||
<DocumentMoveDialog
|
<DocumentMoveDialog
|
||||||
documentId={row.id}
|
documentId={row.id}
|
||||||
open={isMoveDialogOpen}
|
open={isMoveDialogOpen}
|
||||||
|
|||||||
@ -1,6 +1,6 @@
|
|||||||
import { msg } from '@lingui/core/macro';
|
import { msg } from '@lingui/core/macro';
|
||||||
import { useLingui } from '@lingui/react';
|
import { useLingui } from '@lingui/react';
|
||||||
import { Bird, CheckCircle2 } from 'lucide-react';
|
import { Bird, CheckCircle2, Trash } from 'lucide-react';
|
||||||
import { match } from 'ts-pattern';
|
import { match } from 'ts-pattern';
|
||||||
|
|
||||||
import { ExtendedDocumentStatus } from '@documenso/prisma/types/extended-document-status';
|
import { ExtendedDocumentStatus } from '@documenso/prisma/types/extended-document-status';
|
||||||
@ -30,6 +30,11 @@ export const DocumentsTableEmptyState = ({ status }: DocumentsTableEmptyStatePro
|
|||||||
message: msg`You have not yet created or received any documents. To create a document please upload one.`,
|
message: msg`You have not yet created or received any documents. To create a document please upload one.`,
|
||||||
icon: Bird,
|
icon: Bird,
|
||||||
}))
|
}))
|
||||||
|
.with(ExtendedDocumentStatus.DELETED, () => ({
|
||||||
|
title: msg`Nothing in the trash`,
|
||||||
|
message: msg`There are no documents in the trash.`,
|
||||||
|
icon: Trash,
|
||||||
|
}))
|
||||||
.otherwise(() => ({
|
.otherwise(() => ({
|
||||||
title: msg`Nothing to do`,
|
title: msg`Nothing to do`,
|
||||||
message: msg`All documents have been processed. Any new documents that are sent or received will show here.`,
|
message: msg`All documents have been processed. Any new documents that are sent or received will show here.`,
|
||||||
|
|||||||
@ -9,7 +9,6 @@ import { match } from 'ts-pattern';
|
|||||||
|
|
||||||
import { useUpdateSearchParams } from '@documenso/lib/client-only/hooks/use-update-search-params';
|
import { useUpdateSearchParams } from '@documenso/lib/client-only/hooks/use-update-search-params';
|
||||||
import { useSession } from '@documenso/lib/client-only/providers/session';
|
import { useSession } from '@documenso/lib/client-only/providers/session';
|
||||||
import { isDocumentCompleted } from '@documenso/lib/utils/document';
|
|
||||||
import { formatDocumentsPath } from '@documenso/lib/utils/teams';
|
import { formatDocumentsPath } from '@documenso/lib/utils/teams';
|
||||||
import type { TFindDocumentsResponse } from '@documenso/trpc/server/document-router/schema';
|
import type { TFindDocumentsResponse } from '@documenso/trpc/server/document-router/schema';
|
||||||
import type { DataTableColumnDef } from '@documenso/ui/primitives/data-table';
|
import type { DataTableColumnDef } from '@documenso/ui/primitives/data-table';
|
||||||
@ -76,13 +75,12 @@ export const DocumentsTable = ({ data, isLoading, isLoadingError }: DocumentsTab
|
|||||||
},
|
},
|
||||||
{
|
{
|
||||||
header: _(msg`Actions`),
|
header: _(msg`Actions`),
|
||||||
cell: ({ row }) =>
|
cell: ({ row }) => (
|
||||||
(!row.original.deletedAt || isDocumentCompleted(row.original.status)) && (
|
<div className="flex items-center gap-x-4">
|
||||||
<div className="flex items-center gap-x-4">
|
<DocumentsTableActionButton row={row.original} />
|
||||||
<DocumentsTableActionButton row={row.original} />
|
<DocumentsTableActionDropdown row={row.original} />
|
||||||
<DocumentsTableActionDropdown row={row.original} />
|
</div>
|
||||||
</div>
|
),
|
||||||
),
|
|
||||||
},
|
},
|
||||||
] satisfies DataTableColumnDef<DocumentsTableRow>[];
|
] satisfies DataTableColumnDef<DocumentsTableRow>[];
|
||||||
}, [team]);
|
}, [team]);
|
||||||
|
|||||||
@ -1,8 +1,7 @@
|
|||||||
import { useEffect, useMemo, useState } from 'react';
|
import { useEffect, useMemo, useState } from 'react';
|
||||||
|
|
||||||
import { Trans } from '@lingui/react/macro';
|
import { Trans } from '@lingui/react/macro';
|
||||||
import { useSearchParams } from 'react-router';
|
import { Link, useSearchParams } from 'react-router';
|
||||||
import { Link } from 'react-router';
|
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
|
|
||||||
import { formatAvatarUrl } from '@documenso/lib/utils/avatars';
|
import { formatAvatarUrl } from '@documenso/lib/utils/avatars';
|
||||||
@ -51,6 +50,7 @@ export default function DocumentsPage() {
|
|||||||
[ExtendedDocumentStatus.PENDING]: 0,
|
[ExtendedDocumentStatus.PENDING]: 0,
|
||||||
[ExtendedDocumentStatus.COMPLETED]: 0,
|
[ExtendedDocumentStatus.COMPLETED]: 0,
|
||||||
[ExtendedDocumentStatus.REJECTED]: 0,
|
[ExtendedDocumentStatus.REJECTED]: 0,
|
||||||
|
[ExtendedDocumentStatus.DELETED]: 0,
|
||||||
[ExtendedDocumentStatus.INBOX]: 0,
|
[ExtendedDocumentStatus.INBOX]: 0,
|
||||||
[ExtendedDocumentStatus.ALL]: 0,
|
[ExtendedDocumentStatus.ALL]: 0,
|
||||||
});
|
});
|
||||||
@ -114,13 +114,17 @@ export default function DocumentsPage() {
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div className="-m-1 flex flex-wrap gap-x-4 gap-y-6 overflow-hidden p-1">
|
<div className="-m-1 flex flex-wrap gap-x-4 gap-y-6 overflow-hidden p-1">
|
||||||
<Tabs value={findDocumentSearchParams.status || 'ALL'} className="overflow-x-auto">
|
<Tabs
|
||||||
|
value={findDocumentSearchParams.status || ExtendedDocumentStatus.ALL}
|
||||||
|
className="overflow-x-auto"
|
||||||
|
>
|
||||||
<TabsList>
|
<TabsList>
|
||||||
{[
|
{[
|
||||||
ExtendedDocumentStatus.INBOX,
|
ExtendedDocumentStatus.INBOX,
|
||||||
ExtendedDocumentStatus.PENDING,
|
ExtendedDocumentStatus.PENDING,
|
||||||
ExtendedDocumentStatus.COMPLETED,
|
ExtendedDocumentStatus.COMPLETED,
|
||||||
ExtendedDocumentStatus.DRAFT,
|
ExtendedDocumentStatus.DRAFT,
|
||||||
|
ExtendedDocumentStatus.DELETED,
|
||||||
ExtendedDocumentStatus.ALL,
|
ExtendedDocumentStatus.ALL,
|
||||||
].map((value) => (
|
].map((value) => (
|
||||||
<TabsTrigger
|
<TabsTrigger
|
||||||
|
|||||||
@ -15,6 +15,7 @@ export const getDocumentStats = async () => {
|
|||||||
[ExtendedDocumentStatus.COMPLETED]: 0,
|
[ExtendedDocumentStatus.COMPLETED]: 0,
|
||||||
[ExtendedDocumentStatus.REJECTED]: 0,
|
[ExtendedDocumentStatus.REJECTED]: 0,
|
||||||
[ExtendedDocumentStatus.ALL]: 0,
|
[ExtendedDocumentStatus.ALL]: 0,
|
||||||
|
[ExtendedDocumentStatus.DELETED]: 0,
|
||||||
};
|
};
|
||||||
|
|
||||||
counts.forEach((stat) => {
|
counts.forEach((stat) => {
|
||||||
|
|||||||
@ -136,18 +136,26 @@ export const findDocuments = async ({
|
|||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const deletedDateRange =
|
||||||
|
status === ExtendedDocumentStatus.DELETED
|
||||||
|
? {
|
||||||
|
gte: DateTime.now().minus({ days: 30 }).toJSDate(),
|
||||||
|
lte: DateTime.now().toJSDate(),
|
||||||
|
}
|
||||||
|
: null;
|
||||||
|
|
||||||
let deletedFilter: Prisma.DocumentWhereInput = {
|
let deletedFilter: Prisma.DocumentWhereInput = {
|
||||||
AND: {
|
AND: {
|
||||||
OR: [
|
OR: [
|
||||||
{
|
{
|
||||||
userId: user.id,
|
userId: user.id,
|
||||||
deletedAt: null,
|
deletedAt: deletedDateRange,
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
recipients: {
|
recipients: {
|
||||||
some: {
|
some: {
|
||||||
email: user.email,
|
email: user.email,
|
||||||
documentDeletedAt: null,
|
documentDeletedAt: deletedDateRange,
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
@ -162,19 +170,19 @@ export const findDocuments = async ({
|
|||||||
? [
|
? [
|
||||||
{
|
{
|
||||||
teamId: team.id,
|
teamId: team.id,
|
||||||
deletedAt: null,
|
deletedAt: deletedDateRange,
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
user: {
|
user: {
|
||||||
email: team.teamEmail.email,
|
email: team.teamEmail.email,
|
||||||
},
|
},
|
||||||
deletedAt: null,
|
deletedAt: deletedDateRange,
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
recipients: {
|
recipients: {
|
||||||
some: {
|
some: {
|
||||||
email: team.teamEmail.email,
|
email: team.teamEmail.email,
|
||||||
documentDeletedAt: null,
|
documentDeletedAt: deletedDateRange,
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
@ -182,7 +190,7 @@ export const findDocuments = async ({
|
|||||||
: [
|
: [
|
||||||
{
|
{
|
||||||
teamId: team.id,
|
teamId: team.id,
|
||||||
deletedAt: null,
|
deletedAt: deletedDateRange,
|
||||||
},
|
},
|
||||||
],
|
],
|
||||||
},
|
},
|
||||||
@ -297,6 +305,14 @@ const findDocumentsFilter = (status: ExtendedDocumentStatus, user: User) => {
|
|||||||
},
|
},
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
status: ExtendedDocumentStatus.REJECTED,
|
||||||
|
recipients: {
|
||||||
|
some: {
|
||||||
|
email: user.email,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
],
|
],
|
||||||
}))
|
}))
|
||||||
.with(ExtendedDocumentStatus.INBOX, () => ({
|
.with(ExtendedDocumentStatus.INBOX, () => ({
|
||||||
@ -368,7 +384,24 @@ const findDocumentsFilter = (status: ExtendedDocumentStatus, user: User) => {
|
|||||||
recipients: {
|
recipients: {
|
||||||
some: {
|
some: {
|
||||||
email: user.email,
|
email: user.email,
|
||||||
signingStatus: SigningStatus.REJECTED,
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
|
],
|
||||||
|
}))
|
||||||
|
.with(ExtendedDocumentStatus.DELETED, () => ({
|
||||||
|
OR: [
|
||||||
|
{
|
||||||
|
userId: user.id,
|
||||||
|
deletedAt: {
|
||||||
|
gte: DateTime.now().minus({ days: 30 }).toJSDate(),
|
||||||
|
not: null,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
recipients: {
|
||||||
|
some: {
|
||||||
|
email: user.email,
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
@ -410,7 +443,7 @@ const findTeamDocumentsFilter = (
|
|||||||
status: ExtendedDocumentStatus,
|
status: ExtendedDocumentStatus,
|
||||||
team: Team & { teamEmail: TeamEmail | null },
|
team: Team & { teamEmail: TeamEmail | null },
|
||||||
visibilityFilters: Prisma.DocumentWhereInput[],
|
visibilityFilters: Prisma.DocumentWhereInput[],
|
||||||
) => {
|
): Prisma.DocumentWhereInput | null => {
|
||||||
const teamEmail = team.teamEmail?.email ?? null;
|
const teamEmail = team.teamEmail?.email ?? null;
|
||||||
|
|
||||||
return match<ExtendedDocumentStatus, Prisma.DocumentWhereInput | null>(status)
|
return match<ExtendedDocumentStatus, Prisma.DocumentWhereInput | null>(status)
|
||||||
@ -599,5 +632,32 @@ const findTeamDocumentsFilter = (
|
|||||||
|
|
||||||
return filter;
|
return filter;
|
||||||
})
|
})
|
||||||
|
.with(ExtendedDocumentStatus.DELETED, () => {
|
||||||
|
return {
|
||||||
|
OR: teamEmail
|
||||||
|
? [
|
||||||
|
{
|
||||||
|
teamId: team.id,
|
||||||
|
},
|
||||||
|
{
|
||||||
|
user: {
|
||||||
|
email: teamEmail,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
recipients: {
|
||||||
|
some: {
|
||||||
|
email: teamEmail,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
|
]
|
||||||
|
: [
|
||||||
|
{
|
||||||
|
teamId: team.id,
|
||||||
|
},
|
||||||
|
],
|
||||||
|
};
|
||||||
|
})
|
||||||
.exhaustive();
|
.exhaustive();
|
||||||
};
|
};
|
||||||
|
|||||||
@ -1,7 +1,5 @@
|
|||||||
import { TeamMemberRole } from '@prisma/client';
|
|
||||||
import type { Prisma, User } from '@prisma/client';
|
import type { Prisma, User } from '@prisma/client';
|
||||||
import { SigningStatus } from '@prisma/client';
|
import { DocumentVisibility, SigningStatus, TeamMemberRole } from '@prisma/client';
|
||||||
import { DocumentVisibility } from '@prisma/client';
|
|
||||||
import { DateTime } from 'luxon';
|
import { DateTime } from 'luxon';
|
||||||
import { match } from 'ts-pattern';
|
import { match } from 'ts-pattern';
|
||||||
|
|
||||||
@ -17,7 +15,7 @@ export type GetStatsInput = {
|
|||||||
search?: string;
|
search?: string;
|
||||||
};
|
};
|
||||||
|
|
||||||
export const getStats = async ({ user, period, search = '', ...options }: GetStatsInput) => {
|
export const getStats = async ({ user, period, search, ...options }: GetStatsInput) => {
|
||||||
let createdAt: Prisma.DocumentWhereInput['createdAt'];
|
let createdAt: Prisma.DocumentWhereInput['createdAt'];
|
||||||
|
|
||||||
if (period) {
|
if (period) {
|
||||||
@ -30,7 +28,7 @@ export const getStats = async ({ user, period, search = '', ...options }: GetSta
|
|||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
const [ownerCounts, notSignedCounts, hasSignedCounts] = await (options.team
|
const [ownerCounts, notSignedCounts, hasSignedCounts, deletedCounts] = await (options.team
|
||||||
? getTeamCounts({
|
? getTeamCounts({
|
||||||
...options.team,
|
...options.team,
|
||||||
createdAt,
|
createdAt,
|
||||||
@ -45,6 +43,7 @@ export const getStats = async ({ user, period, search = '', ...options }: GetSta
|
|||||||
[ExtendedDocumentStatus.PENDING]: 0,
|
[ExtendedDocumentStatus.PENDING]: 0,
|
||||||
[ExtendedDocumentStatus.COMPLETED]: 0,
|
[ExtendedDocumentStatus.COMPLETED]: 0,
|
||||||
[ExtendedDocumentStatus.REJECTED]: 0,
|
[ExtendedDocumentStatus.REJECTED]: 0,
|
||||||
|
[ExtendedDocumentStatus.DELETED]: 0,
|
||||||
[ExtendedDocumentStatus.INBOX]: 0,
|
[ExtendedDocumentStatus.INBOX]: 0,
|
||||||
[ExtendedDocumentStatus.ALL]: 0,
|
[ExtendedDocumentStatus.ALL]: 0,
|
||||||
};
|
};
|
||||||
@ -71,6 +70,8 @@ export const getStats = async ({ user, period, search = '', ...options }: GetSta
|
|||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
|
||||||
|
stats[ExtendedDocumentStatus.DELETED] = deletedCounts || 0;
|
||||||
|
|
||||||
Object.keys(stats).forEach((key) => {
|
Object.keys(stats).forEach((key) => {
|
||||||
if (key !== ExtendedDocumentStatus.ALL && isExtendedDocumentStatus(key)) {
|
if (key !== ExtendedDocumentStatus.ALL && isExtendedDocumentStatus(key)) {
|
||||||
stats[ExtendedDocumentStatus.ALL] += stats[key];
|
stats[ExtendedDocumentStatus.ALL] += stats[key];
|
||||||
@ -167,6 +168,32 @@ const getCounts = async ({ user, createdAt, search }: GetCountsOption) => {
|
|||||||
AND: [searchFilter],
|
AND: [searchFilter],
|
||||||
},
|
},
|
||||||
}),
|
}),
|
||||||
|
// Deleted count
|
||||||
|
prisma.document.count({
|
||||||
|
where: {
|
||||||
|
OR: [
|
||||||
|
{
|
||||||
|
userId: user.id,
|
||||||
|
deletedAt: {
|
||||||
|
gte: DateTime.now().minus({ days: 30 }).toJSDate(),
|
||||||
|
not: null,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
recipients: {
|
||||||
|
some: {
|
||||||
|
email: user.email,
|
||||||
|
documentDeletedAt: {
|
||||||
|
gte: DateTime.now().minus({ days: 30 }).toJSDate(),
|
||||||
|
not: null,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
|
],
|
||||||
|
AND: [searchFilter],
|
||||||
|
},
|
||||||
|
}),
|
||||||
]);
|
]);
|
||||||
};
|
};
|
||||||
|
|
||||||
@ -336,5 +363,40 @@ const getTeamCounts = async (options: GetTeamCountsOption) => {
|
|||||||
}),
|
}),
|
||||||
notSignedCountsGroupByArgs ? prisma.document.groupBy(notSignedCountsGroupByArgs) : [],
|
notSignedCountsGroupByArgs ? prisma.document.groupBy(notSignedCountsGroupByArgs) : [],
|
||||||
hasSignedCountsGroupByArgs ? prisma.document.groupBy(hasSignedCountsGroupByArgs) : [],
|
hasSignedCountsGroupByArgs ? prisma.document.groupBy(hasSignedCountsGroupByArgs) : [],
|
||||||
|
prisma.document.count({
|
||||||
|
where: {
|
||||||
|
OR: [
|
||||||
|
{
|
||||||
|
teamId,
|
||||||
|
userId: userIdWhereClause,
|
||||||
|
deletedAt: {
|
||||||
|
gte: DateTime.now().minus({ days: 30 }).toJSDate(),
|
||||||
|
not: null,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
user: {
|
||||||
|
email: teamEmail,
|
||||||
|
},
|
||||||
|
deletedAt: {
|
||||||
|
gte: DateTime.now().minus({ days: 30 }).toJSDate(),
|
||||||
|
not: null,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
{
|
||||||
|
recipients: {
|
||||||
|
some: {
|
||||||
|
email: teamEmail,
|
||||||
|
documentDeletedAt: {
|
||||||
|
gte: DateTime.now().minus({ days: 30 }).toJSDate(),
|
||||||
|
not: null,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
|
],
|
||||||
|
AND: [searchFilter],
|
||||||
|
},
|
||||||
|
}),
|
||||||
]);
|
]);
|
||||||
};
|
};
|
||||||
|
|||||||
108
packages/lib/server-only/document/restore-document.ts
Normal file
108
packages/lib/server-only/document/restore-document.ts
Normal file
@ -0,0 +1,108 @@
|
|||||||
|
import { WebhookTriggerEvents } from '@prisma/client';
|
||||||
|
|
||||||
|
import { AppError, AppErrorCode } from '@documenso/lib/errors/app-error';
|
||||||
|
import { triggerWebhook } from '@documenso/lib/server-only/webhooks/trigger/trigger-webhook';
|
||||||
|
import {
|
||||||
|
ZWebhookDocumentSchema,
|
||||||
|
mapDocumentToWebhookDocumentPayload,
|
||||||
|
} from '@documenso/lib/types/webhook-payload';
|
||||||
|
import type { ApiRequestMetadata } from '@documenso/lib/universal/extract-request-metadata';
|
||||||
|
import { createDocumentAuditLogData } from '@documenso/lib/utils/document-audit-logs';
|
||||||
|
import { prisma } from '@documenso/prisma';
|
||||||
|
|
||||||
|
export type RestoreDocumentOptions = {
|
||||||
|
id: number;
|
||||||
|
userId: number;
|
||||||
|
teamId?: number;
|
||||||
|
requestMetadata: ApiRequestMetadata;
|
||||||
|
};
|
||||||
|
|
||||||
|
export const restoreDocument = async ({
|
||||||
|
id,
|
||||||
|
userId,
|
||||||
|
teamId,
|
||||||
|
requestMetadata,
|
||||||
|
}: RestoreDocumentOptions) => {
|
||||||
|
const user = await prisma.user.findUnique({
|
||||||
|
where: {
|
||||||
|
id: userId,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
if (!user) {
|
||||||
|
throw new AppError(AppErrorCode.NOT_FOUND, {
|
||||||
|
message: 'User not found',
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
const document = await prisma.document.findUnique({
|
||||||
|
where: {
|
||||||
|
id,
|
||||||
|
},
|
||||||
|
include: {
|
||||||
|
recipients: true,
|
||||||
|
documentMeta: true,
|
||||||
|
team: {
|
||||||
|
include: {
|
||||||
|
members: true,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
if (!document || (teamId !== undefined && teamId !== document.teamId)) {
|
||||||
|
throw new AppError(AppErrorCode.NOT_FOUND, {
|
||||||
|
message: 'Document not found',
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
const isUserOwner = document.userId === userId;
|
||||||
|
const isUserTeamMember = document.team?.members.some((member) => member.userId === userId);
|
||||||
|
|
||||||
|
if (!isUserOwner && !isUserTeamMember) {
|
||||||
|
throw new AppError(AppErrorCode.UNAUTHORIZED, {
|
||||||
|
message: 'Not allowed to restore this document',
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
const restoredDocument = await prisma.$transaction(async (tx) => {
|
||||||
|
await tx.documentAuditLog.create({
|
||||||
|
data: createDocumentAuditLogData({
|
||||||
|
documentId: document.id,
|
||||||
|
type: 'DOCUMENT_RESTORED',
|
||||||
|
metadata: requestMetadata,
|
||||||
|
data: {},
|
||||||
|
}),
|
||||||
|
});
|
||||||
|
|
||||||
|
return await tx.document.update({
|
||||||
|
where: {
|
||||||
|
id: document.id,
|
||||||
|
},
|
||||||
|
data: {
|
||||||
|
deletedAt: null,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
});
|
||||||
|
|
||||||
|
await prisma.recipient.updateMany({
|
||||||
|
where: {
|
||||||
|
documentId: document.id,
|
||||||
|
documentDeletedAt: {
|
||||||
|
not: null,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
data: {
|
||||||
|
documentDeletedAt: null,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
await triggerWebhook({
|
||||||
|
event: WebhookTriggerEvents.DOCUMENT_RESTORED,
|
||||||
|
data: ZWebhookDocumentSchema.parse(mapDocumentToWebhookDocumentPayload(document)),
|
||||||
|
userId,
|
||||||
|
teamId,
|
||||||
|
});
|
||||||
|
|
||||||
|
return restoredDocument;
|
||||||
|
};
|
||||||
@ -26,6 +26,10 @@ msgstr " Direktlink-Signierung aktivieren"
|
|||||||
msgid " The events that will trigger a webhook to be sent to your URL."
|
msgid " The events that will trigger a webhook to be sent to your URL."
|
||||||
msgstr " Die Ereignisse, die einen Webhook auslösen, der an Ihre URL gesendet wird."
|
msgstr " Die Ereignisse, die einen Webhook auslösen, der an Ihre URL gesendet wird."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid ".PDF documents accepted (max {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB)"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -53,6 +57,10 @@ msgstr "„{documentName}“ wurde von allen Unterzeichnern signiert"
|
|||||||
msgid "\"{documentTitle}\" has been successfully deleted"
|
msgid "\"{documentTitle}\" has been successfully deleted"
|
||||||
msgstr "\"{documentTitle}\" wurde erfolgreich gelöscht"
|
msgstr "\"{documentTitle}\" wurde erfolgreich gelöscht"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "\"{documentTitle}\" has been successfully restored"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -270,6 +278,10 @@ msgstr "{prefix} hat einen Empfänger entfernt"
|
|||||||
msgid "{prefix} resent an email to {0}"
|
msgid "{prefix} resent an email to {0}"
|
||||||
msgstr "{prefix} hat eine E-Mail an {0} erneut gesendet"
|
msgstr "{prefix} hat eine E-Mail an {0} erneut gesendet"
|
||||||
|
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "{prefix} restored the document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: data.recipientEmail
|
#. placeholder {0}: data.recipientEmail
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "{prefix} sent an email to {0}"
|
msgid "{prefix} sent an email to {0}"
|
||||||
@ -727,6 +739,7 @@ msgstr "Hinzufügen"
|
|||||||
msgid "Add a document"
|
msgid "Add a document"
|
||||||
msgstr "Dokument hinzufügen"
|
msgstr "Dokument hinzufügen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Add a URL to redirect the user to once the document is signed"
|
msgid "Add a URL to redirect the user to once the document is signed"
|
||||||
@ -800,6 +813,7 @@ msgstr "Platzhalterempfänger hinzufügen"
|
|||||||
msgid "Add Placeholders"
|
msgid "Add Placeholders"
|
||||||
msgstr "Platzhalter hinzufügen"
|
msgstr "Platzhalter hinzufügen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Add Signer"
|
msgid "Add Signer"
|
||||||
msgstr "Unterzeichner hinzufügen"
|
msgstr "Unterzeichner hinzufügen"
|
||||||
@ -808,6 +822,10 @@ msgstr "Unterzeichner hinzufügen"
|
|||||||
msgid "Add Signers"
|
msgid "Add Signers"
|
||||||
msgstr "Unterzeichner hinzufügen"
|
msgstr "Unterzeichner hinzufügen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
msgid "Add signers and configure signing preferences"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
||||||
msgid "Add team email"
|
msgid "Add team email"
|
||||||
msgstr "Team-E-Mail hinzufügen"
|
msgstr "Team-E-Mail hinzufügen"
|
||||||
@ -853,11 +871,16 @@ msgstr "Admin-Panel"
|
|||||||
msgid "Advanced Options"
|
msgid "Advanced Options"
|
||||||
msgstr "Erweiterte Optionen"
|
msgstr "Erweiterte Optionen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Advanced settings"
|
msgid "Advanced settings"
|
||||||
msgstr "Erweiterte Einstellungen"
|
msgstr "Erweiterte Einstellungen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Advanced Settings"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
||||||
msgstr "Nach der elektronischen Unterzeichnung eines Dokuments haben Sie die Möglichkeit, das Dokument für Ihre Unterlagen anzusehen, herunterzuladen und auszudrucken. Es wird dringend empfohlen, eine Kopie aller elektronisch unterschriebenen Dokumente für Ihre persönlichen Unterlagen aufzubewahren. Wir werden ebenfalls eine Kopie des unterzeichneten Dokuments für unsere Unterlagen behalten, jedoch können wir Ihnen nach einer bestimmten Zeit möglicherweise keine Kopie des unterzeichneten Dokuments mehr zur Verfügung stellen."
|
msgstr "Nach der elektronischen Unterzeichnung eines Dokuments haben Sie die Möglichkeit, das Dokument für Ihre Unterlagen anzusehen, herunterzuladen und auszudrucken. Es wird dringend empfohlen, eine Kopie aller elektronisch unterschriebenen Dokumente für Ihre persönlichen Unterlagen aufzubewahren. Wir werden ebenfalls eine Kopie des unterzeichneten Dokuments für unsere Unterlagen behalten, jedoch können wir Ihnen nach einer bestimmten Zeit möglicherweise keine Kopie des unterzeichneten Dokuments mehr zur Verfügung stellen."
|
||||||
@ -910,11 +933,13 @@ msgstr "Alle Zeiten"
|
|||||||
msgid "Allow document recipients to reply directly to this email address"
|
msgid "Allow document recipients to reply directly to this email address"
|
||||||
msgstr "Erlauben Sie den Dokumentempfängern, direkt an diese E-Mail-Adresse zu antworten"
|
msgstr "Erlauben Sie den Dokumentempfängern, direkt an diese E-Mail-Adresse zu antworten"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Allow signers to dictate next signer"
|
msgid "Allow signers to dictate next signer"
|
||||||
msgstr "Unterzeichner können nächsten Unterzeichner bestimmen"
|
msgstr "Unterzeichner können nächsten Unterzeichner bestimmen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Allowed Signature Types"
|
msgid "Allowed Signature Types"
|
||||||
@ -1297,6 +1322,8 @@ msgstr "Warte auf E-Mail-Bestätigung"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
msgid "Back"
|
msgid "Back"
|
||||||
msgstr "Zurück"
|
msgstr "Zurück"
|
||||||
|
|
||||||
@ -1465,6 +1492,7 @@ msgstr "Kann vorbereiten"
|
|||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
@ -1480,6 +1508,10 @@ msgstr "Abbrechen"
|
|||||||
msgid "Cancelled by user"
|
msgid "Cancelled by user"
|
||||||
msgstr "Vom Benutzer abgebrochen"
|
msgstr "Vom Benutzer abgebrochen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Cannot remove document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Cannot remove signer"
|
msgid "Cannot remove signer"
|
||||||
msgstr "Unterzeichner kann nicht entfernt werden"
|
msgstr "Unterzeichner kann nicht entfernt werden"
|
||||||
@ -1533,6 +1565,10 @@ msgstr "Wählen Sie den direkten Link Empfänger"
|
|||||||
msgid "Choose how the document will reach recipients"
|
msgid "Choose how the document will reach recipients"
|
||||||
msgstr "Wählen Sie, wie das Dokument die Empfänger erreichen soll"
|
msgstr "Wählen Sie, wie das Dokument die Empfänger erreichen soll"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Choose how to distribute your document to recipients. Email will send notifications, None will generate signing links for manual distribution."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/token.tsx
|
#: apps/remix/app/components/forms/token.tsx
|
||||||
msgid "Choose..."
|
msgid "Choose..."
|
||||||
msgstr "Wählen..."
|
msgstr "Wählen..."
|
||||||
@ -1602,6 +1638,10 @@ msgstr "Klicken, um das Feld auszufüllen"
|
|||||||
msgid "Close"
|
msgid "Close"
|
||||||
msgstr "Schließen"
|
msgstr "Schließen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Communication"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
@ -1658,10 +1698,29 @@ msgstr "Abgeschlossene Dokumente"
|
|||||||
msgid "Completed Documents"
|
msgid "Completed Documents"
|
||||||
msgstr "Abgeschlossene Dokumente"
|
msgstr "Abgeschlossene Dokumente"
|
||||||
|
|
||||||
|
#. placeholder {0}: parseMessageDescriptor(_, FRIENDLY_FIELD_TYPE[currentField.type])
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
|
msgid "Configure {0} Field"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Configure additional options and preferences"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/lib/constants/template.ts
|
#: packages/lib/constants/template.ts
|
||||||
msgid "Configure Direct Recipient"
|
msgid "Configure Direct Recipient"
|
||||||
msgstr "Direkten Empfänger konfigurieren"
|
msgstr "Direkten Empfänger konfigurieren"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure Fields"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
msgid "Configure general settings for the document."
|
msgid "Configure general settings for the document."
|
||||||
msgstr "Konfigurieren Sie die allgemeinen Einstellungen für das Dokument."
|
msgstr "Konfigurieren Sie die allgemeinen Einstellungen für das Dokument."
|
||||||
@ -1674,12 +1733,22 @@ msgstr "Konfigurieren Sie die allgemeinen Einstellungen für die Vorlage."
|
|||||||
msgid "Configure template"
|
msgid "Configure template"
|
||||||
msgstr "Vorlage konfigurieren"
|
msgstr "Vorlage konfigurieren"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Template"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Configure the {0} field"
|
msgid "Configure the {0} field"
|
||||||
msgstr "Konfigurieren Sie das Feld {0}"
|
msgstr "Konfigurieren Sie das Feld {0}"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure the fields you want to place on the document."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
msgid "Confirm"
|
msgid "Confirm"
|
||||||
@ -1724,12 +1793,13 @@ msgid "Content"
|
|||||||
msgstr "Inhalt"
|
msgstr "Inhalt"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
||||||
@ -1993,6 +2063,7 @@ msgstr "Datum"
|
|||||||
msgid "Date created"
|
msgid "Date created"
|
||||||
msgstr "Erstellungsdatum"
|
msgstr "Erstellungsdatum"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Date Format"
|
msgid "Date Format"
|
||||||
@ -2104,6 +2175,8 @@ msgstr "Löschen Sie Ihr Konto und alle Inhalte, einschließlich abgeschlossener
|
|||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-page-view-information.tsx
|
||||||
msgid "Deleted"
|
msgid "Deleted"
|
||||||
msgstr "Gelöscht"
|
msgstr "Gelöscht"
|
||||||
|
|
||||||
@ -2217,6 +2290,10 @@ msgstr "Zeigen Sie Ihren Namen und Ihre E-Mail in Dokumenten an"
|
|||||||
msgid "Distribute Document"
|
msgid "Distribute Document"
|
||||||
msgstr "Dokument verteilen"
|
msgstr "Dokument verteilen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Distribution Method"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Do you want to delete this template?"
|
msgid "Do you want to delete this template?"
|
||||||
msgstr "Möchten Sie diese Vorlage löschen?"
|
msgstr "Möchten Sie diese Vorlage löschen?"
|
||||||
@ -2294,6 +2371,10 @@ msgstr "Dokument abgeschlossen!"
|
|||||||
msgid "Document created"
|
msgid "Document created"
|
||||||
msgstr "Dokument erstellt"
|
msgstr "Dokument erstellt"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Document Created"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: document.user.name
|
#. placeholder {0}: document.user.name
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
||||||
msgid "Document created by <0>{0}</0>"
|
msgid "Document created by <0>{0}</0>"
|
||||||
@ -2313,6 +2394,7 @@ msgid "Document Creation"
|
|||||||
msgstr "Dokumenterstellung"
|
msgstr "Dokumenterstellung"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
@ -2358,6 +2440,10 @@ msgstr "Dokument-ID"
|
|||||||
msgid "Document inbox"
|
msgid "Document inbox"
|
||||||
msgstr "Dokumenten-Posteingang"
|
msgstr "Dokumenten-Posteingang"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Document is already uploaded"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
msgid "Document Limit Exceeded!"
|
msgid "Document Limit Exceeded!"
|
||||||
msgstr "Dokumentenlimit überschritten!"
|
msgstr "Dokumentenlimit überschritten!"
|
||||||
@ -2412,6 +2498,11 @@ msgstr "Dokument Abgelehnt"
|
|||||||
msgid "Document resealed"
|
msgid "Document resealed"
|
||||||
msgstr "Dokument wieder versiegelt"
|
msgstr "Dokument wieder versiegelt"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "Document restored"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "Document sent"
|
msgid "Document sent"
|
||||||
@ -2539,10 +2630,18 @@ msgstr "Entwurfte Dokumente"
|
|||||||
msgid "Drag & drop your PDF here."
|
msgid "Drag & drop your PDF here."
|
||||||
msgstr "Ziehen Sie Ihr PDF hierher."
|
msgstr "Ziehen Sie Ihr PDF hierher."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drag and drop or click to upload"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "Draw"
|
msgid "Draw"
|
||||||
msgstr "Zeichnen"
|
msgstr "Zeichnen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drop your document here"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Dropdown"
|
msgid "Dropdown"
|
||||||
@ -2607,6 +2706,9 @@ msgstr "Offenlegung der elektronischen Unterschrift"
|
|||||||
#: apps/remix/app/components/forms/forgot-password.tsx
|
#: apps/remix/app/components/forms/forgot-password.tsx
|
||||||
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
||||||
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -2700,6 +2802,7 @@ msgstr "Aktivieren Sie individuelles Branding für alle Dokumente in diesem Team
|
|||||||
msgid "Enable Direct Link Signing"
|
msgid "Enable Direct Link Signing"
|
||||||
msgstr "Direktlink-Signierung aktivieren"
|
msgstr "Direktlink-Signierung aktivieren"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Enable signing order"
|
msgid "Enable signing order"
|
||||||
@ -2793,6 +2896,10 @@ msgstr "Geben Sie hier Ihren Text ein"
|
|||||||
msgid "Error"
|
msgid "Error"
|
||||||
msgstr "Fehler"
|
msgstr "Fehler"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Error uploading file"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "Everyone can access and view the document"
|
msgid "Everyone can access and view the document"
|
||||||
msgstr "Jeder kann auf das Dokument zugreifen und es anzeigen"
|
msgstr "Jeder kann auf das Dokument zugreifen und es anzeigen"
|
||||||
@ -2888,6 +2995,7 @@ msgid "Fields"
|
|||||||
msgstr "Felder"
|
msgstr "Felder"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
||||||
msgstr "Die Datei darf nicht größer als {APP_DOCUMENT_UPLOAD_SIZE_LIMIT} MB sein"
|
msgstr "Die Datei darf nicht größer als {APP_DOCUMENT_UPLOAD_SIZE_LIMIT} MB sein"
|
||||||
|
|
||||||
@ -2941,6 +3049,7 @@ msgstr "Vollständiger Name"
|
|||||||
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
msgid "General"
|
msgid "General"
|
||||||
msgstr "Allgemein"
|
msgstr "Allgemein"
|
||||||
|
|
||||||
@ -3142,7 +3251,7 @@ msgstr "Ungültiger Code. Bitte versuchen Sie es erneut."
|
|||||||
msgid "Invalid email"
|
msgid "Invalid email"
|
||||||
msgstr "Ungültige E-Mail"
|
msgstr "Ungültige E-Mail"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
msgid "Invalid link"
|
msgid "Invalid link"
|
||||||
msgstr "Ungültiger Link"
|
msgstr "Ungültiger Link"
|
||||||
@ -3239,6 +3348,7 @@ msgid "Label"
|
|||||||
msgstr "Beschriftung"
|
msgstr "Beschriftung"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/menu-switcher.tsx
|
#: apps/remix/app/components/general/menu-switcher.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Language"
|
msgid "Language"
|
||||||
@ -3471,6 +3581,7 @@ msgstr "Mitglied seit"
|
|||||||
msgid "Members"
|
msgid "Members"
|
||||||
msgstr "Mitglieder"
|
msgstr "Mitglieder"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Message <0>(Optional)</0>"
|
msgid "Message <0>(Optional)</0>"
|
||||||
@ -3534,6 +3645,8 @@ msgstr "Meine Vorlagen"
|
|||||||
#: apps/remix/app/components/general/claim-account.tsx
|
#: apps/remix/app/components/general/claim-account.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -3622,8 +3735,8 @@ msgstr "Keine aktuellen Aktivitäten"
|
|||||||
msgid "No recent documents"
|
msgid "No recent documents"
|
||||||
msgstr "Keine aktuellen Dokumente"
|
msgstr "Keine aktuellen Dokumente"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipient matching this description was found."
|
msgid "No recipient matching this description was found."
|
||||||
msgstr "Kein passender Empfänger mit dieser Beschreibung gefunden."
|
msgstr "Kein passender Empfänger mit dieser Beschreibung gefunden."
|
||||||
|
|
||||||
@ -3634,8 +3747,8 @@ msgstr "Kein passender Empfänger mit dieser Beschreibung gefunden."
|
|||||||
msgid "No recipients"
|
msgid "No recipients"
|
||||||
msgstr "Keine Empfänger"
|
msgstr "Keine Empfänger"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipients with this role"
|
msgid "No recipients with this role"
|
||||||
msgstr "Keine Empfänger mit dieser Rolle"
|
msgstr "Keine Empfänger mit dieser Rolle"
|
||||||
|
|
||||||
@ -3677,6 +3790,7 @@ msgstr "Kein Wert gefunden."
|
|||||||
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
||||||
msgstr "Keine Sorge, das passiert! Geben Sie Ihre E-Mail ein, und wir senden Ihnen einen speziellen Link zum Zurücksetzen Ihres Passworts."
|
msgstr "Keine Sorge, das passiert! Geben Sie Ihre E-Mail ein, und wir senden Ihnen einen speziellen Link zum Zurücksetzen Ihres Passworts."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "None"
|
msgid "None"
|
||||||
msgstr "Keine"
|
msgstr "Keine"
|
||||||
@ -3685,6 +3799,10 @@ msgstr "Keine"
|
|||||||
msgid "Not supported"
|
msgid "Not supported"
|
||||||
msgstr "Nicht unterstützt"
|
msgstr "Nicht unterstützt"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "Nothing in the trash"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
msgid "Nothing to do"
|
msgid "Nothing to do"
|
||||||
@ -4023,6 +4141,7 @@ msgstr "Bitte beachten Sie, dass das Fortfahren den direkten Linkempfänger entf
|
|||||||
msgid "Please note that this action is <0>irreversible</0>."
|
msgid "Please note that this action is <0>irreversible</0>."
|
||||||
msgstr "Bitte beachten Sie, dass diese Aktion <0>irreversibel</0> ist."
|
msgstr "Bitte beachten Sie, dass diese Aktion <0>irreversibel</0> ist."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
||||||
msgstr "Bitte beachten Sie, dass diese Aktion <0>irreversibel</0> ist. Nachdem dies bestätigt wurde, wird dieses Dokument dauerhaft gelöscht."
|
msgstr "Bitte beachten Sie, dass diese Aktion <0>irreversibel</0> ist. Nachdem dies bestätigt wurde, wird dieses Dokument dauerhaft gelöscht."
|
||||||
@ -4261,6 +4380,7 @@ msgstr "Empfänger aktualisiert"
|
|||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
||||||
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
msgid "Recipients"
|
msgid "Recipients"
|
||||||
msgstr "Empfänger"
|
msgstr "Empfänger"
|
||||||
|
|
||||||
@ -4284,6 +4404,7 @@ msgstr "Wiederherstellungscodes"
|
|||||||
msgid "Red"
|
msgid "Red"
|
||||||
msgstr "Rot"
|
msgstr "Rot"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Redirect URL"
|
msgid "Redirect URL"
|
||||||
@ -4434,6 +4555,15 @@ msgstr "Zahlung klären"
|
|||||||
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
||||||
msgstr "Seien Sie versichert, Ihr Dokument ist streng vertraulich und wird niemals geteilt. Nur Ihre Unterzeichnungserfahrung wird hervorgehoben. Teilen Sie Ihre personalisierte Unterschriftkarte, um Ihre Unterschrift zu präsentieren!"
|
msgstr "Seien Sie versichert, Ihr Dokument ist streng vertraulich und wird niemals geteilt. Nur Ihre Unterzeichnungserfahrung wird hervorgehoben. Teilen Sie Ihre personalisierte Unterschriftkarte, um Ihre Unterschrift zu präsentieren!"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-action-dropdown.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "Retention of Documents"
|
msgid "Retention of Documents"
|
||||||
msgstr "Aufbewahrung von Dokumenten"
|
msgstr "Aufbewahrung von Dokumenten"
|
||||||
@ -4442,7 +4572,7 @@ msgstr "Aufbewahrung von Dokumenten"
|
|||||||
msgid "Retry"
|
msgid "Retry"
|
||||||
msgstr "Wiederholen"
|
msgstr "Wiederholen"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
||||||
@ -4473,6 +4603,7 @@ msgstr "Zugriff widerrufen"
|
|||||||
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
||||||
@ -4490,6 +4621,8 @@ msgstr "Zeilen pro Seite"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
||||||
msgid "Save"
|
msgid "Save"
|
||||||
@ -4665,6 +4798,14 @@ msgstr "Gesendet"
|
|||||||
msgid "Set a password"
|
msgid "Set a password"
|
||||||
msgstr "Ein Passwort festlegen"
|
msgstr "Ein Passwort festlegen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your document properties and recipient information"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your template properties and recipient information"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
||||||
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
||||||
#: apps/remix/app/components/general/app-command-menu.tsx
|
#: apps/remix/app/components/general/app-command-menu.tsx
|
||||||
@ -4964,6 +5105,7 @@ msgstr "Einige Unterzeichner haben noch kein Unterschriftsfeld zugewiesen bekomm
|
|||||||
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
@ -4972,7 +5114,7 @@ msgid "Something went wrong"
|
|||||||
msgstr "Etwas ist schief gelaufen"
|
msgstr "Etwas ist schief gelaufen"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
||||||
msgstr "Etwas ist schiefgelaufen beim Versuch, das Eigentum des Teams <0>{0}</0> auf Ihre zu übertragen. Bitte versuchen Sie es später erneut oder kontaktieren Sie den Support."
|
msgstr "Etwas ist schiefgelaufen beim Versuch, das Eigentum des Teams <0>{0}</0> auf Ihre zu übertragen. Bitte versuchen Sie es später erneut oder kontaktieren Sie den Support."
|
||||||
|
|
||||||
@ -5044,6 +5186,7 @@ msgstr "Status"
|
|||||||
msgid "Step <0>{step} of {maxStep}</0>"
|
msgid "Step <0>{step} of {maxStep}</0>"
|
||||||
msgstr "Schritt <0>{step} von {maxStep}</0>"
|
msgstr "Schritt <0>{step} von {maxStep}</0>"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Subject <0>(Optional)</0>"
|
msgid "Subject <0>(Optional)</0>"
|
||||||
@ -5201,15 +5344,15 @@ msgstr "Nur Team"
|
|||||||
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
||||||
msgstr "Nur Teamvorlagen sind nirgendwo verlinkt und nur für Ihr Team sichtbar."
|
msgstr "Nur Teamvorlagen sind nirgendwo verlinkt und nur für Ihr Team sichtbar."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer"
|
msgid "Team ownership transfer"
|
||||||
msgstr "Team-Eigentumsübertragung"
|
msgstr "Team-Eigentumsübertragung"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer already completed!"
|
msgid "Team ownership transfer already completed!"
|
||||||
msgstr "Team-Eigentumsübertragung bereits abgeschlossen!"
|
msgstr "Team-Eigentumsübertragung bereits abgeschlossen!"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transferred!"
|
msgid "Team ownership transferred!"
|
||||||
msgstr "Team-Eigentum übertragen!"
|
msgstr "Team-Eigentum übertragen!"
|
||||||
|
|
||||||
@ -5268,6 +5411,10 @@ msgstr "Teams beschränkt"
|
|||||||
msgid "Template"
|
msgid "Template"
|
||||||
msgstr "Vorlage"
|
msgstr "Vorlage"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Template Created"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Template deleted"
|
msgid "Template deleted"
|
||||||
msgstr "Vorlage gelöscht"
|
msgstr "Vorlage gelöscht"
|
||||||
@ -5383,6 +5530,10 @@ msgstr "Der direkte Linkt wurde in die Zwischenablage kopiert"
|
|||||||
msgid "The document has been successfully moved to the selected team."
|
msgid "The document has been successfully moved to the selected team."
|
||||||
msgstr "Das Dokument wurde erfolgreich in das ausgewählte Team verschoben."
|
msgstr "Das Dokument wurde erfolgreich in das ausgewählte Team verschoben."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "The document is already saved and cannot be changed."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
||||||
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
||||||
msgstr "Das Dokument ist jetzt abgeschlossen. Bitte folgen Sie allen Anweisungen, die in der übergeordneten Anwendung bereitgestellt werden."
|
msgstr "Das Dokument ist jetzt abgeschlossen. Bitte folgen Sie allen Anweisungen, die in der übergeordneten Anwendung bereitgestellt werden."
|
||||||
@ -5408,6 +5559,14 @@ msgstr "Das Dokument wird von Ihrem Konto verborgen werden"
|
|||||||
msgid "The document will be immediately sent to recipients if this is checked."
|
msgid "The document will be immediately sent to recipients if this is checked."
|
||||||
msgstr "Das Dokument wird sofort an die Empfänger gesendet, wenn dies angehakt ist."
|
msgstr "Das Dokument wird sofort an die Empfänger gesendet, wenn dies angehakt ist."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be restored to your account and will be available in your documents list."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be unhidden from your account and will be available in your documents list."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
||||||
msgid "The document's name"
|
msgid "The document's name"
|
||||||
msgstr "Der Name des Dokuments"
|
msgstr "Der Name des Dokuments"
|
||||||
@ -5434,7 +5593,7 @@ msgid "The following team has been deleted by you"
|
|||||||
msgstr "Das folgende Team wurde von dir gelöscht"
|
msgstr "Das folgende Team wurde von dir gelöscht"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
||||||
msgstr "Die Inhaberschaft des Teams <0>{0}</0> wurde erfolgreich auf Sie übertragen."
|
msgstr "Die Inhaberschaft des Teams <0>{0}</0> wurde erfolgreich auf Sie übertragen."
|
||||||
|
|
||||||
@ -5531,7 +5690,8 @@ msgid "The team transfer request to <0>{0}</0> has expired."
|
|||||||
msgstr "Die Teamübertragungsanfrage an <0>{0}</0> ist abgelaufen."
|
msgstr "Die Teamübertragungsanfrage an <0>{0}</0> ist abgelaufen."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/t.$teamUrl+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/t.$teamUrl+/_layout.tsx
|
||||||
msgid "The team you are looking for may have been removed, renamed or may have never\n"
|
msgid ""
|
||||||
|
"The team you are looking for may have been removed, renamed or may have never\n"
|
||||||
" existed."
|
" existed."
|
||||||
msgstr "Das Team, das Sie suchen, könnte entfernt, umbenannt oder nie existiert haben."
|
msgstr "Das Team, das Sie suchen, könnte entfernt, umbenannt oder nie existiert haben."
|
||||||
|
|
||||||
@ -5590,6 +5750,14 @@ msgstr "Es gibt derzeit keine aktiven Entwürfe. Sie können ein Dokument hochla
|
|||||||
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
||||||
msgstr "Es gibt noch keine abgeschlossenen Dokumente. Dokumente, die Sie erstellt oder erhalten haben, werden hier angezeigt, sobald sie abgeschlossen sind."
|
msgstr "Es gibt noch keine abgeschlossenen Dokumente. Dokumente, die Sie erstellt oder erhalten haben, werden hier angezeigt, sobald sie abgeschlossen sind."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "There are no documents in the trash."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "There was an error uploading your file. Please try again."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
msgid "They have permission on your behalf to:"
|
msgid "They have permission on your behalf to:"
|
||||||
msgstr "Sie haben in Ihrem Namen die Erlaubnis, zu:"
|
msgstr "Sie haben in Ihrem Namen die Erlaubnis, zu:"
|
||||||
@ -5620,6 +5788,10 @@ msgstr "Dies kann überschrieben werden, indem die Authentifizierungsanforderung
|
|||||||
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
||||||
msgstr "Dieses Dokument kann nicht wiederhergestellt werden. Wenn du den Grund für zukünftige Dokumente anfechten möchtest, kontaktiere bitte den Support."
|
msgstr "Dieses Dokument kann nicht wiederhergestellt werden. Wenn du den Grund für zukünftige Dokumente anfechten möchtest, kontaktiere bitte den Support."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "This document cannot be changed"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "This document could not be deleted at this time. Please try again."
|
msgid "This document could not be deleted at this time. Please try again."
|
||||||
msgstr "Dieses Dokument konnte derzeit nicht gelöscht werden. Bitte versuchen Sie es erneut."
|
msgstr "Dieses Dokument konnte derzeit nicht gelöscht werden. Bitte versuchen Sie es erneut."
|
||||||
@ -5632,7 +5804,11 @@ msgstr "Dieses Dokument konnte derzeit nicht dupliziert werden. Bitte versuche e
|
|||||||
msgid "This document could not be re-sent at this time. Please try again."
|
msgid "This document could not be re-sent at this time. Please try again."
|
||||||
msgstr "Dieses Dokument konnte zu diesem Zeitpunkt nicht erneut gesendet werden. Bitte versuchen Sie es erneut."
|
msgstr "Dieses Dokument konnte zu diesem Zeitpunkt nicht erneut gesendet werden. Bitte versuchen Sie es erneut."
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "This document could not be restored at this time. Please try again."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
||||||
msgstr "Dieses Dokument wurde bereits an diesen Empfänger gesendet. Sie können diesen Empfänger nicht mehr bearbeiten."
|
msgstr "Dieses Dokument wurde bereits an diesen Empfänger gesendet. Sie können diesen Empfänger nicht mehr bearbeiten."
|
||||||
|
|
||||||
@ -5700,7 +5876,7 @@ msgstr "Dieses Feld kann nicht geändert oder gelöscht werden. Wenn Sie den dir
|
|||||||
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
||||||
msgstr "So wird das Dokument die Empfänger erreichen, sobald es zum Unterschreiben bereit ist."
|
msgstr "So wird das Dokument die Empfänger erreichen, sobald es zum Unterschreiben bereit ist."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
||||||
msgstr "Dieser Link ist ungültig oder abgelaufen. Bitte kontaktieren Sie Ihr Team, um eine erneute Überweisungsanfrage zu senden."
|
msgstr "Dieser Link ist ungültig oder abgelaufen. Bitte kontaktieren Sie Ihr Team, um eine erneute Überweisungsanfrage zu senden."
|
||||||
|
|
||||||
@ -5783,6 +5959,7 @@ msgid "Time zone"
|
|||||||
msgstr "Zeitzone"
|
msgstr "Zeitzone"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Time Zone"
|
msgid "Time Zone"
|
||||||
@ -5792,6 +5969,7 @@ msgstr "Zeitzone"
|
|||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table.tsx
|
#: apps/remix/app/components/tables/documents-table.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Title"
|
msgid "Title"
|
||||||
msgstr "Titel"
|
msgstr "Titel"
|
||||||
@ -6189,6 +6367,10 @@ msgstr "CSV hochladen"
|
|||||||
msgid "Upload custom document"
|
msgid "Upload custom document"
|
||||||
msgstr "Benutzerdefiniertes Dokument hochladen"
|
msgstr "Benutzerdefiniertes Dokument hochladen"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Upload Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
||||||
msgid "Upload Signature"
|
msgid "Upload Signature"
|
||||||
msgstr "Signatur hochladen"
|
msgstr "Signatur hochladen"
|
||||||
@ -6730,6 +6912,7 @@ msgstr "Willkommen bei Documenso!"
|
|||||||
msgid "Were you trying to edit this document instead?"
|
msgid "Were you trying to edit this document instead?"
|
||||||
msgstr "Hast du stattdessen versucht, dieses Dokument zu bearbeiten?"
|
msgstr "Hast du stattdessen versucht, dieses Dokument zu bearbeiten?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
||||||
@ -6798,6 +6981,10 @@ msgstr "Sie stehen kurz davor, das folgende Team zu verlassen."
|
|||||||
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
||||||
msgstr "Sie stehen kurz davor, den folgenden Benutzer aus <0>{teamName}</0> zu entfernen."
|
msgstr "Sie stehen kurz davor, den folgenden Benutzer aus <0>{teamName}</0> zu entfernen."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to restore <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: teamEmail.team.name
|
#. placeholder {0}: teamEmail.team.name
|
||||||
#. placeholder {1}: teamEmail.team.url
|
#. placeholder {1}: teamEmail.team.url
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
@ -6808,6 +6995,10 @@ msgstr "Sie stehen kurz davor, den Zugriff für das Team <0>{0}</0> ({1}) zu wid
|
|||||||
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
||||||
msgstr "Sie sind dabei, dieses Dokument an die Empfänger zu senden. Sind Sie sicher, dass Sie fortfahren möchten?"
|
msgstr "Sie sind dabei, dieses Dokument an die Empfänger zu senden. Sind Sie sicher, dass Sie fortfahren möchten?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to unhide <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
||||||
msgid "You are currently on the <0>Free Plan</0>."
|
msgid "You are currently on the <0>Free Plan</0>."
|
||||||
msgstr "Sie befinden sich derzeit im <0>kostenlosen Plan</0>."
|
msgstr "Sie befinden sich derzeit im <0>kostenlosen Plan</0>."
|
||||||
@ -6915,7 +7106,7 @@ msgid "You have accepted an invitation from <0>{0}</0> to join their team."
|
|||||||
msgstr "Sie haben eine Einladung von <0>{0}</0> angenommen, um ihrem Team beizutreten."
|
msgstr "Sie haben eine Einladung von <0>{0}</0> angenommen, um ihrem Team beizutreten."
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
||||||
msgstr "Sie haben die Eigentumsübertragung für <0>{0}</0> bereits abgeschlossen."
|
msgstr "Sie haben die Eigentumsübertragung für <0>{0}</0> bereits abgeschlossen."
|
||||||
|
|
||||||
@ -7117,6 +7308,7 @@ msgid "Your direct signing templates"
|
|||||||
msgstr "Ihre direkten Unterzeichnungsvorlagen"
|
msgstr "Ihre direkten Unterzeichnungsvorlagen"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "Your document failed to upload."
|
msgid "Your document failed to upload."
|
||||||
msgstr "Ihr Dokument konnte nicht hochgeladen werden."
|
msgstr "Ihr Dokument konnte nicht hochgeladen werden."
|
||||||
|
|
||||||
@ -7124,6 +7316,10 @@ msgstr "Ihr Dokument konnte nicht hochgeladen werden."
|
|||||||
msgid "Your document has been created from the template successfully."
|
msgid "Your document has been created from the template successfully."
|
||||||
msgstr "Ihr Dokument wurde erfolgreich aus der Vorlage erstellt."
|
msgstr "Ihr Dokument wurde erfolgreich aus der Vorlage erstellt."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your document has been created successfully"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/email/template-components/template-document-super-delete.tsx
|
#: packages/email/template-components/template-document-super-delete.tsx
|
||||||
msgid "Your document has been deleted by an admin!"
|
msgid "Your document has been deleted by an admin!"
|
||||||
msgstr "Dein Dokument wurde von einem Administrator gelöscht!"
|
msgstr "Dein Dokument wurde von einem Administrator gelöscht!"
|
||||||
@ -7234,6 +7430,10 @@ msgstr "Ihr Team wurde erfolgreich gelöscht."
|
|||||||
msgid "Your team has been successfully updated."
|
msgid "Your team has been successfully updated."
|
||||||
msgstr "Ihr Team wurde erfolgreich aktualisiert."
|
msgstr "Ihr Team wurde erfolgreich aktualisiert."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your template has been created successfully"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
||||||
msgid "Your template has been duplicated successfully."
|
msgid "Your template has been duplicated successfully."
|
||||||
msgstr "Ihre Vorlage wurde erfolgreich dupliziert."
|
msgstr "Ihre Vorlage wurde erfolgreich dupliziert."
|
||||||
@ -7261,4 +7461,3 @@ msgstr "Ihr Token wurde erfolgreich erstellt! Stellen Sie sicher, dass Sie es ko
|
|||||||
#: apps/remix/app/routes/_authenticated+/settings+/tokens.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/tokens.tsx
|
||||||
msgid "Your tokens will be shown here once you create them."
|
msgid "Your tokens will be shown here once you create them."
|
||||||
msgstr "Ihre Tokens werden hier angezeigt, sobald Sie sie erstellt haben."
|
msgstr "Ihre Tokens werden hier angezeigt, sobald Sie sie erstellt haben."
|
||||||
|
|
||||||
|
|||||||
@ -21,6 +21,10 @@ msgstr " Enable direct link signing"
|
|||||||
msgid " The events that will trigger a webhook to be sent to your URL."
|
msgid " The events that will trigger a webhook to be sent to your URL."
|
||||||
msgstr " The events that will trigger a webhook to be sent to your URL."
|
msgstr " The events that will trigger a webhook to be sent to your URL."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid ".PDF documents accepted (max {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB)"
|
||||||
|
msgstr ".PDF documents accepted (max {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB)"
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -48,6 +52,10 @@ msgstr "“{documentName}” was signed by all signers"
|
|||||||
msgid "\"{documentTitle}\" has been successfully deleted"
|
msgid "\"{documentTitle}\" has been successfully deleted"
|
||||||
msgstr "\"{documentTitle}\" has been successfully deleted"
|
msgstr "\"{documentTitle}\" has been successfully deleted"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "\"{documentTitle}\" has been successfully restored"
|
||||||
|
msgstr "\"{documentTitle}\" has been successfully restored"
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -265,6 +273,10 @@ msgstr "{prefix} removed a recipient"
|
|||||||
msgid "{prefix} resent an email to {0}"
|
msgid "{prefix} resent an email to {0}"
|
||||||
msgstr "{prefix} resent an email to {0}"
|
msgstr "{prefix} resent an email to {0}"
|
||||||
|
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "{prefix} restored the document"
|
||||||
|
msgstr "{prefix} restored the document"
|
||||||
|
|
||||||
#. placeholder {0}: data.recipientEmail
|
#. placeholder {0}: data.recipientEmail
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "{prefix} sent an email to {0}"
|
msgid "{prefix} sent an email to {0}"
|
||||||
@ -722,6 +734,7 @@ msgstr "Add"
|
|||||||
msgid "Add a document"
|
msgid "Add a document"
|
||||||
msgstr "Add a document"
|
msgstr "Add a document"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Add a URL to redirect the user to once the document is signed"
|
msgid "Add a URL to redirect the user to once the document is signed"
|
||||||
@ -795,6 +808,7 @@ msgstr "Add Placeholder Recipient"
|
|||||||
msgid "Add Placeholders"
|
msgid "Add Placeholders"
|
||||||
msgstr "Add Placeholders"
|
msgstr "Add Placeholders"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Add Signer"
|
msgid "Add Signer"
|
||||||
msgstr "Add Signer"
|
msgstr "Add Signer"
|
||||||
@ -803,6 +817,10 @@ msgstr "Add Signer"
|
|||||||
msgid "Add Signers"
|
msgid "Add Signers"
|
||||||
msgstr "Add Signers"
|
msgstr "Add Signers"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
msgid "Add signers and configure signing preferences"
|
||||||
|
msgstr "Add signers and configure signing preferences"
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
||||||
msgid "Add team email"
|
msgid "Add team email"
|
||||||
msgstr "Add team email"
|
msgstr "Add team email"
|
||||||
@ -848,11 +866,16 @@ msgstr "Admin panel"
|
|||||||
msgid "Advanced Options"
|
msgid "Advanced Options"
|
||||||
msgstr "Advanced Options"
|
msgstr "Advanced Options"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Advanced settings"
|
msgid "Advanced settings"
|
||||||
msgstr "Advanced settings"
|
msgstr "Advanced settings"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Advanced Settings"
|
||||||
|
msgstr "Advanced Settings"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
||||||
msgstr "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
msgstr "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
||||||
@ -905,11 +928,13 @@ msgstr "All Time"
|
|||||||
msgid "Allow document recipients to reply directly to this email address"
|
msgid "Allow document recipients to reply directly to this email address"
|
||||||
msgstr "Allow document recipients to reply directly to this email address"
|
msgstr "Allow document recipients to reply directly to this email address"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Allow signers to dictate next signer"
|
msgid "Allow signers to dictate next signer"
|
||||||
msgstr "Allow signers to dictate next signer"
|
msgstr "Allow signers to dictate next signer"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Allowed Signature Types"
|
msgid "Allowed Signature Types"
|
||||||
@ -1292,6 +1317,8 @@ msgstr "Awaiting email confirmation"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
msgid "Back"
|
msgid "Back"
|
||||||
msgstr "Back"
|
msgstr "Back"
|
||||||
|
|
||||||
@ -1460,6 +1487,7 @@ msgstr "Can prepare"
|
|||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
@ -1475,6 +1503,10 @@ msgstr "Cancel"
|
|||||||
msgid "Cancelled by user"
|
msgid "Cancelled by user"
|
||||||
msgstr "Cancelled by user"
|
msgstr "Cancelled by user"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Cannot remove document"
|
||||||
|
msgstr "Cannot remove document"
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Cannot remove signer"
|
msgid "Cannot remove signer"
|
||||||
msgstr "Cannot remove signer"
|
msgstr "Cannot remove signer"
|
||||||
@ -1528,6 +1560,10 @@ msgstr "Choose Direct Link Recipient"
|
|||||||
msgid "Choose how the document will reach recipients"
|
msgid "Choose how the document will reach recipients"
|
||||||
msgstr "Choose how the document will reach recipients"
|
msgstr "Choose how the document will reach recipients"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Choose how to distribute your document to recipients. Email will send notifications, None will generate signing links for manual distribution."
|
||||||
|
msgstr "Choose how to distribute your document to recipients. Email will send notifications, None will generate signing links for manual distribution."
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/token.tsx
|
#: apps/remix/app/components/forms/token.tsx
|
||||||
msgid "Choose..."
|
msgid "Choose..."
|
||||||
msgstr "Choose..."
|
msgstr "Choose..."
|
||||||
@ -1597,6 +1633,10 @@ msgstr "Click to insert field"
|
|||||||
msgid "Close"
|
msgid "Close"
|
||||||
msgstr "Close"
|
msgstr "Close"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Communication"
|
||||||
|
msgstr "Communication"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
@ -1653,10 +1693,29 @@ msgstr "Completed documents"
|
|||||||
msgid "Completed Documents"
|
msgid "Completed Documents"
|
||||||
msgstr "Completed Documents"
|
msgstr "Completed Documents"
|
||||||
|
|
||||||
|
#. placeholder {0}: parseMessageDescriptor(_, FRIENDLY_FIELD_TYPE[currentField.type])
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
|
msgid "Configure {0} Field"
|
||||||
|
msgstr "Configure {0} Field"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Configure additional options and preferences"
|
||||||
|
msgstr "Configure additional options and preferences"
|
||||||
|
|
||||||
#: packages/lib/constants/template.ts
|
#: packages/lib/constants/template.ts
|
||||||
msgid "Configure Direct Recipient"
|
msgid "Configure Direct Recipient"
|
||||||
msgstr "Configure Direct Recipient"
|
msgstr "Configure Direct Recipient"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Document"
|
||||||
|
msgstr "Configure Document"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure Fields"
|
||||||
|
msgstr "Configure Fields"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
msgid "Configure general settings for the document."
|
msgid "Configure general settings for the document."
|
||||||
msgstr "Configure general settings for the document."
|
msgstr "Configure general settings for the document."
|
||||||
@ -1669,12 +1728,22 @@ msgstr "Configure general settings for the template."
|
|||||||
msgid "Configure template"
|
msgid "Configure template"
|
||||||
msgstr "Configure template"
|
msgstr "Configure template"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Template"
|
||||||
|
msgstr "Configure Template"
|
||||||
|
|
||||||
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Configure the {0} field"
|
msgid "Configure the {0} field"
|
||||||
msgstr "Configure the {0} field"
|
msgstr "Configure the {0} field"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure the fields you want to place on the document."
|
||||||
|
msgstr "Configure the fields you want to place on the document."
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
msgid "Confirm"
|
msgid "Confirm"
|
||||||
@ -1719,12 +1788,13 @@ msgid "Content"
|
|||||||
msgstr "Content"
|
msgstr "Content"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
||||||
@ -1988,6 +2058,7 @@ msgstr "Date"
|
|||||||
msgid "Date created"
|
msgid "Date created"
|
||||||
msgstr "Date created"
|
msgstr "Date created"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Date Format"
|
msgid "Date Format"
|
||||||
@ -2099,6 +2170,8 @@ msgstr "Delete your account and all its contents, including completed documents.
|
|||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-page-view-information.tsx
|
||||||
msgid "Deleted"
|
msgid "Deleted"
|
||||||
msgstr "Deleted"
|
msgstr "Deleted"
|
||||||
|
|
||||||
@ -2212,6 +2285,10 @@ msgstr "Display your name and email in documents"
|
|||||||
msgid "Distribute Document"
|
msgid "Distribute Document"
|
||||||
msgstr "Distribute Document"
|
msgstr "Distribute Document"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Distribution Method"
|
||||||
|
msgstr "Distribution Method"
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Do you want to delete this template?"
|
msgid "Do you want to delete this template?"
|
||||||
msgstr "Do you want to delete this template?"
|
msgstr "Do you want to delete this template?"
|
||||||
@ -2289,6 +2366,10 @@ msgstr "Document Completed!"
|
|||||||
msgid "Document created"
|
msgid "Document created"
|
||||||
msgstr "Document created"
|
msgstr "Document created"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Document Created"
|
||||||
|
msgstr "Document Created"
|
||||||
|
|
||||||
#. placeholder {0}: document.user.name
|
#. placeholder {0}: document.user.name
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
||||||
msgid "Document created by <0>{0}</0>"
|
msgid "Document created by <0>{0}</0>"
|
||||||
@ -2308,6 +2389,7 @@ msgid "Document Creation"
|
|||||||
msgstr "Document Creation"
|
msgstr "Document Creation"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
@ -2353,6 +2435,10 @@ msgstr "Document ID"
|
|||||||
msgid "Document inbox"
|
msgid "Document inbox"
|
||||||
msgstr "Document inbox"
|
msgstr "Document inbox"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Document is already uploaded"
|
||||||
|
msgstr "Document is already uploaded"
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
msgid "Document Limit Exceeded!"
|
msgid "Document Limit Exceeded!"
|
||||||
msgstr "Document Limit Exceeded!"
|
msgstr "Document Limit Exceeded!"
|
||||||
@ -2407,6 +2493,11 @@ msgstr "Document Rejected"
|
|||||||
msgid "Document resealed"
|
msgid "Document resealed"
|
||||||
msgstr "Document resealed"
|
msgstr "Document resealed"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "Document restored"
|
||||||
|
msgstr "Document restored"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "Document sent"
|
msgid "Document sent"
|
||||||
@ -2534,10 +2625,18 @@ msgstr "Drafted Documents"
|
|||||||
msgid "Drag & drop your PDF here."
|
msgid "Drag & drop your PDF here."
|
||||||
msgstr "Drag & drop your PDF here."
|
msgstr "Drag & drop your PDF here."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drag and drop or click to upload"
|
||||||
|
msgstr "Drag and drop or click to upload"
|
||||||
|
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "Draw"
|
msgid "Draw"
|
||||||
msgstr "Draw"
|
msgstr "Draw"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drop your document here"
|
||||||
|
msgstr "Drop your document here"
|
||||||
|
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Dropdown"
|
msgid "Dropdown"
|
||||||
@ -2602,6 +2701,9 @@ msgstr "Electronic Signature Disclosure"
|
|||||||
#: apps/remix/app/components/forms/forgot-password.tsx
|
#: apps/remix/app/components/forms/forgot-password.tsx
|
||||||
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
||||||
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -2695,6 +2797,7 @@ msgstr "Enable custom branding for all documents in this team."
|
|||||||
msgid "Enable Direct Link Signing"
|
msgid "Enable Direct Link Signing"
|
||||||
msgstr "Enable Direct Link Signing"
|
msgstr "Enable Direct Link Signing"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Enable signing order"
|
msgid "Enable signing order"
|
||||||
@ -2788,6 +2891,10 @@ msgstr "Enter your text here"
|
|||||||
msgid "Error"
|
msgid "Error"
|
||||||
msgstr "Error"
|
msgstr "Error"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Error uploading file"
|
||||||
|
msgstr "Error uploading file"
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "Everyone can access and view the document"
|
msgid "Everyone can access and view the document"
|
||||||
msgstr "Everyone can access and view the document"
|
msgstr "Everyone can access and view the document"
|
||||||
@ -2883,6 +2990,7 @@ msgid "Fields"
|
|||||||
msgstr "Fields"
|
msgstr "Fields"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
||||||
msgstr "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
msgstr "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
||||||
|
|
||||||
@ -2936,6 +3044,7 @@ msgstr "Full Name"
|
|||||||
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
msgid "General"
|
msgid "General"
|
||||||
msgstr "General"
|
msgstr "General"
|
||||||
|
|
||||||
@ -3137,7 +3246,7 @@ msgstr "Invalid code. Please try again."
|
|||||||
msgid "Invalid email"
|
msgid "Invalid email"
|
||||||
msgstr "Invalid email"
|
msgstr "Invalid email"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
msgid "Invalid link"
|
msgid "Invalid link"
|
||||||
msgstr "Invalid link"
|
msgstr "Invalid link"
|
||||||
@ -3234,6 +3343,7 @@ msgid "Label"
|
|||||||
msgstr "Label"
|
msgstr "Label"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/menu-switcher.tsx
|
#: apps/remix/app/components/general/menu-switcher.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Language"
|
msgid "Language"
|
||||||
@ -3466,6 +3576,7 @@ msgstr "Member Since"
|
|||||||
msgid "Members"
|
msgid "Members"
|
||||||
msgstr "Members"
|
msgstr "Members"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Message <0>(Optional)</0>"
|
msgid "Message <0>(Optional)</0>"
|
||||||
@ -3529,6 +3640,8 @@ msgstr "My templates"
|
|||||||
#: apps/remix/app/components/general/claim-account.tsx
|
#: apps/remix/app/components/general/claim-account.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -3617,8 +3730,8 @@ msgstr "No recent activity"
|
|||||||
msgid "No recent documents"
|
msgid "No recent documents"
|
||||||
msgstr "No recent documents"
|
msgstr "No recent documents"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipient matching this description was found."
|
msgid "No recipient matching this description was found."
|
||||||
msgstr "No recipient matching this description was found."
|
msgstr "No recipient matching this description was found."
|
||||||
|
|
||||||
@ -3629,8 +3742,8 @@ msgstr "No recipient matching this description was found."
|
|||||||
msgid "No recipients"
|
msgid "No recipients"
|
||||||
msgstr "No recipients"
|
msgstr "No recipients"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipients with this role"
|
msgid "No recipients with this role"
|
||||||
msgstr "No recipients with this role"
|
msgstr "No recipients with this role"
|
||||||
|
|
||||||
@ -3672,6 +3785,7 @@ msgstr "No value found."
|
|||||||
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
||||||
msgstr "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
msgstr "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "None"
|
msgid "None"
|
||||||
msgstr "None"
|
msgstr "None"
|
||||||
@ -3680,6 +3794,10 @@ msgstr "None"
|
|||||||
msgid "Not supported"
|
msgid "Not supported"
|
||||||
msgstr "Not supported"
|
msgstr "Not supported"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "Nothing in the trash"
|
||||||
|
msgstr "Nothing in the trash"
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
msgid "Nothing to do"
|
msgid "Nothing to do"
|
||||||
@ -4018,6 +4136,7 @@ msgstr "Please note that proceeding will remove direct linking recipient and tur
|
|||||||
msgid "Please note that this action is <0>irreversible</0>."
|
msgid "Please note that this action is <0>irreversible</0>."
|
||||||
msgstr "Please note that this action is <0>irreversible</0>."
|
msgstr "Please note that this action is <0>irreversible</0>."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
||||||
msgstr "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
msgstr "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
||||||
@ -4256,6 +4375,7 @@ msgstr "Recipient updated"
|
|||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
||||||
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
msgid "Recipients"
|
msgid "Recipients"
|
||||||
msgstr "Recipients"
|
msgstr "Recipients"
|
||||||
|
|
||||||
@ -4279,6 +4399,7 @@ msgstr "Recovery codes"
|
|||||||
msgid "Red"
|
msgid "Red"
|
||||||
msgstr "Red"
|
msgstr "Red"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Redirect URL"
|
msgid "Redirect URL"
|
||||||
@ -4429,6 +4550,15 @@ msgstr "Resolve payment"
|
|||||||
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
||||||
msgstr "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
msgstr "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-action-dropdown.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore"
|
||||||
|
msgstr "Restore"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore Document"
|
||||||
|
msgstr "Restore Document"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "Retention of Documents"
|
msgid "Retention of Documents"
|
||||||
msgstr "Retention of Documents"
|
msgstr "Retention of Documents"
|
||||||
@ -4437,7 +4567,7 @@ msgstr "Retention of Documents"
|
|||||||
msgid "Retry"
|
msgid "Retry"
|
||||||
msgstr "Retry"
|
msgstr "Retry"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
||||||
@ -4468,6 +4598,7 @@ msgstr "Revoke access"
|
|||||||
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
||||||
@ -4485,6 +4616,8 @@ msgstr "Rows per page"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
||||||
msgid "Save"
|
msgid "Save"
|
||||||
@ -4660,6 +4793,14 @@ msgstr "Sent"
|
|||||||
msgid "Set a password"
|
msgid "Set a password"
|
||||||
msgstr "Set a password"
|
msgstr "Set a password"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your document properties and recipient information"
|
||||||
|
msgstr "Set up your document properties and recipient information"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your template properties and recipient information"
|
||||||
|
msgstr "Set up your template properties and recipient information"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
||||||
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
||||||
#: apps/remix/app/components/general/app-command-menu.tsx
|
#: apps/remix/app/components/general/app-command-menu.tsx
|
||||||
@ -4959,6 +5100,7 @@ msgstr "Some signers have not been assigned a signature field. Please assign at
|
|||||||
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
@ -4967,7 +5109,7 @@ msgid "Something went wrong"
|
|||||||
msgstr "Something went wrong"
|
msgstr "Something went wrong"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
||||||
msgstr "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
msgstr "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
||||||
|
|
||||||
@ -5039,6 +5181,7 @@ msgstr "Status"
|
|||||||
msgid "Step <0>{step} of {maxStep}</0>"
|
msgid "Step <0>{step} of {maxStep}</0>"
|
||||||
msgstr "Step <0>{step} of {maxStep}</0>"
|
msgstr "Step <0>{step} of {maxStep}</0>"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Subject <0>(Optional)</0>"
|
msgid "Subject <0>(Optional)</0>"
|
||||||
@ -5196,15 +5339,15 @@ msgstr "Team Only"
|
|||||||
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
||||||
msgstr "Team only templates are not linked anywhere and are visible only to your team."
|
msgstr "Team only templates are not linked anywhere and are visible only to your team."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer"
|
msgid "Team ownership transfer"
|
||||||
msgstr "Team ownership transfer"
|
msgstr "Team ownership transfer"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer already completed!"
|
msgid "Team ownership transfer already completed!"
|
||||||
msgstr "Team ownership transfer already completed!"
|
msgstr "Team ownership transfer already completed!"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transferred!"
|
msgid "Team ownership transferred!"
|
||||||
msgstr "Team ownership transferred!"
|
msgstr "Team ownership transferred!"
|
||||||
|
|
||||||
@ -5263,6 +5406,10 @@ msgstr "Teams restricted"
|
|||||||
msgid "Template"
|
msgid "Template"
|
||||||
msgstr "Template"
|
msgstr "Template"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Template Created"
|
||||||
|
msgstr "Template Created"
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Template deleted"
|
msgid "Template deleted"
|
||||||
msgstr "Template deleted"
|
msgstr "Template deleted"
|
||||||
@ -5378,6 +5525,10 @@ msgstr "The direct link has been copied to your clipboard"
|
|||||||
msgid "The document has been successfully moved to the selected team."
|
msgid "The document has been successfully moved to the selected team."
|
||||||
msgstr "The document has been successfully moved to the selected team."
|
msgstr "The document has been successfully moved to the selected team."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "The document is already saved and cannot be changed."
|
||||||
|
msgstr "The document is already saved and cannot be changed."
|
||||||
|
|
||||||
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
||||||
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
||||||
msgstr "The document is now completed, please follow any instructions provided within the parent application."
|
msgstr "The document is now completed, please follow any instructions provided within the parent application."
|
||||||
@ -5403,6 +5554,14 @@ msgstr "The document will be hidden from your account"
|
|||||||
msgid "The document will be immediately sent to recipients if this is checked."
|
msgid "The document will be immediately sent to recipients if this is checked."
|
||||||
msgstr "The document will be immediately sent to recipients if this is checked."
|
msgstr "The document will be immediately sent to recipients if this is checked."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be restored to your account and will be available in your documents list."
|
||||||
|
msgstr "The document will be restored to your account and will be available in your documents list."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be unhidden from your account and will be available in your documents list."
|
||||||
|
msgstr "The document will be unhidden from your account and will be available in your documents list."
|
||||||
|
|
||||||
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
||||||
msgid "The document's name"
|
msgid "The document's name"
|
||||||
msgstr "The document's name"
|
msgstr "The document's name"
|
||||||
@ -5429,7 +5588,7 @@ msgid "The following team has been deleted by you"
|
|||||||
msgstr "The following team has been deleted by you"
|
msgstr "The following team has been deleted by you"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
||||||
msgstr "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
msgstr "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
||||||
|
|
||||||
@ -5588,6 +5747,14 @@ msgstr "There are no active drafts at the current moment. You can upload a docum
|
|||||||
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
||||||
msgstr "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
msgstr "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "There are no documents in the trash."
|
||||||
|
msgstr "There are no documents in the trash."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "There was an error uploading your file. Please try again."
|
||||||
|
msgstr "There was an error uploading your file. Please try again."
|
||||||
|
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
msgid "They have permission on your behalf to:"
|
msgid "They have permission on your behalf to:"
|
||||||
msgstr "They have permission on your behalf to:"
|
msgstr "They have permission on your behalf to:"
|
||||||
@ -5618,6 +5785,10 @@ msgstr "This can be overriden by setting the authentication requirements directl
|
|||||||
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
||||||
msgstr "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
msgstr "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "This document cannot be changed"
|
||||||
|
msgstr "This document cannot be changed"
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "This document could not be deleted at this time. Please try again."
|
msgid "This document could not be deleted at this time. Please try again."
|
||||||
msgstr "This document could not be deleted at this time. Please try again."
|
msgstr "This document could not be deleted at this time. Please try again."
|
||||||
@ -5630,7 +5801,11 @@ msgstr "This document could not be duplicated at this time. Please try again."
|
|||||||
msgid "This document could not be re-sent at this time. Please try again."
|
msgid "This document could not be re-sent at this time. Please try again."
|
||||||
msgstr "This document could not be re-sent at this time. Please try again."
|
msgstr "This document could not be re-sent at this time. Please try again."
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "This document could not be restored at this time. Please try again."
|
||||||
|
msgstr "This document could not be restored at this time. Please try again."
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
||||||
msgstr "This document has already been sent to this recipient. You can no longer edit this recipient."
|
msgstr "This document has already been sent to this recipient. You can no longer edit this recipient."
|
||||||
|
|
||||||
@ -5698,7 +5873,7 @@ msgstr "This field cannot be modified or deleted. When you share this template's
|
|||||||
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
||||||
msgstr "This is how the document will reach the recipients once the document is ready for signing."
|
msgstr "This is how the document will reach the recipients once the document is ready for signing."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
||||||
msgstr "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
msgstr "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
||||||
|
|
||||||
@ -5781,6 +5956,7 @@ msgid "Time zone"
|
|||||||
msgstr "Time zone"
|
msgstr "Time zone"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Time Zone"
|
msgid "Time Zone"
|
||||||
@ -5790,6 +5966,7 @@ msgstr "Time Zone"
|
|||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table.tsx
|
#: apps/remix/app/components/tables/documents-table.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Title"
|
msgid "Title"
|
||||||
msgstr "Title"
|
msgstr "Title"
|
||||||
@ -6187,6 +6364,10 @@ msgstr "Upload CSV"
|
|||||||
msgid "Upload custom document"
|
msgid "Upload custom document"
|
||||||
msgstr "Upload custom document"
|
msgstr "Upload custom document"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Upload Document"
|
||||||
|
msgstr "Upload Document"
|
||||||
|
|
||||||
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
||||||
msgid "Upload Signature"
|
msgid "Upload Signature"
|
||||||
msgstr "Upload Signature"
|
msgstr "Upload Signature"
|
||||||
@ -6728,6 +6909,7 @@ msgstr "Welcome to Documenso!"
|
|||||||
msgid "Were you trying to edit this document instead?"
|
msgid "Were you trying to edit this document instead?"
|
||||||
msgstr "Were you trying to edit this document instead?"
|
msgstr "Were you trying to edit this document instead?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
||||||
@ -6796,6 +6978,10 @@ msgstr "You are about to leave the following team."
|
|||||||
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
||||||
msgstr "You are about to remove the following user from <0>{teamName}</0>."
|
msgstr "You are about to remove the following user from <0>{teamName}</0>."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to restore <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr "You are about to restore <0>\"{documentTitle}\"</0>"
|
||||||
|
|
||||||
#. placeholder {0}: teamEmail.team.name
|
#. placeholder {0}: teamEmail.team.name
|
||||||
#. placeholder {1}: teamEmail.team.url
|
#. placeholder {1}: teamEmail.team.url
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
@ -6806,6 +6992,10 @@ msgstr "You are about to revoke access for team <0>{0}</0> ({1}) to use your ema
|
|||||||
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
||||||
msgstr "You are about to send this document to the recipients. Are you sure you want to continue?"
|
msgstr "You are about to send this document to the recipients. Are you sure you want to continue?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to unhide <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr "You are about to unhide <0>\"{documentTitle}\"</0>"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
||||||
msgid "You are currently on the <0>Free Plan</0>."
|
msgid "You are currently on the <0>Free Plan</0>."
|
||||||
msgstr "You are currently on the <0>Free Plan</0>."
|
msgstr "You are currently on the <0>Free Plan</0>."
|
||||||
@ -6913,7 +7103,7 @@ msgid "You have accepted an invitation from <0>{0}</0> to join their team."
|
|||||||
msgstr "You have accepted an invitation from <0>{0}</0> to join their team."
|
msgstr "You have accepted an invitation from <0>{0}</0> to join their team."
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
||||||
msgstr "You have already completed the ownership transfer for <0>{0}</0>."
|
msgstr "You have already completed the ownership transfer for <0>{0}</0>."
|
||||||
|
|
||||||
@ -7115,6 +7305,7 @@ msgid "Your direct signing templates"
|
|||||||
msgstr "Your direct signing templates"
|
msgstr "Your direct signing templates"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "Your document failed to upload."
|
msgid "Your document failed to upload."
|
||||||
msgstr "Your document failed to upload."
|
msgstr "Your document failed to upload."
|
||||||
|
|
||||||
@ -7122,6 +7313,10 @@ msgstr "Your document failed to upload."
|
|||||||
msgid "Your document has been created from the template successfully."
|
msgid "Your document has been created from the template successfully."
|
||||||
msgstr "Your document has been created from the template successfully."
|
msgstr "Your document has been created from the template successfully."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your document has been created successfully"
|
||||||
|
msgstr "Your document has been created successfully"
|
||||||
|
|
||||||
#: packages/email/template-components/template-document-super-delete.tsx
|
#: packages/email/template-components/template-document-super-delete.tsx
|
||||||
msgid "Your document has been deleted by an admin!"
|
msgid "Your document has been deleted by an admin!"
|
||||||
msgstr "Your document has been deleted by an admin!"
|
msgstr "Your document has been deleted by an admin!"
|
||||||
@ -7232,6 +7427,10 @@ msgstr "Your team has been successfully deleted."
|
|||||||
msgid "Your team has been successfully updated."
|
msgid "Your team has been successfully updated."
|
||||||
msgstr "Your team has been successfully updated."
|
msgstr "Your team has been successfully updated."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your template has been created successfully"
|
||||||
|
msgstr "Your template has been created successfully"
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
||||||
msgid "Your template has been duplicated successfully."
|
msgid "Your template has been duplicated successfully."
|
||||||
msgstr "Your template has been duplicated successfully."
|
msgstr "Your template has been duplicated successfully."
|
||||||
|
|||||||
@ -26,6 +26,10 @@ msgstr " Habilitar la firma mediante enlace directo"
|
|||||||
msgid " The events that will trigger a webhook to be sent to your URL."
|
msgid " The events that will trigger a webhook to be sent to your URL."
|
||||||
msgstr " Los eventos que activarán un webhook para ser enviado a tu URL."
|
msgstr " Los eventos que activarán un webhook para ser enviado a tu URL."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid ".PDF documents accepted (max {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB)"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -53,6 +57,10 @@ msgstr "\"{documentName}\" fue firmado por todos los firmantes"
|
|||||||
msgid "\"{documentTitle}\" has been successfully deleted"
|
msgid "\"{documentTitle}\" has been successfully deleted"
|
||||||
msgstr "\"{documentTitle}\" ha sido eliminado con éxito"
|
msgstr "\"{documentTitle}\" ha sido eliminado con éxito"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "\"{documentTitle}\" has been successfully restored"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -270,6 +278,10 @@ msgstr "{prefix} eliminó un destinatario"
|
|||||||
msgid "{prefix} resent an email to {0}"
|
msgid "{prefix} resent an email to {0}"
|
||||||
msgstr "{prefix} reenviaron un correo electrónico a {0}"
|
msgstr "{prefix} reenviaron un correo electrónico a {0}"
|
||||||
|
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "{prefix} restored the document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: data.recipientEmail
|
#. placeholder {0}: data.recipientEmail
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "{prefix} sent an email to {0}"
|
msgid "{prefix} sent an email to {0}"
|
||||||
@ -727,6 +739,7 @@ msgstr "Agregar"
|
|||||||
msgid "Add a document"
|
msgid "Add a document"
|
||||||
msgstr "Agregar un documento"
|
msgstr "Agregar un documento"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Add a URL to redirect the user to once the document is signed"
|
msgid "Add a URL to redirect the user to once the document is signed"
|
||||||
@ -800,6 +813,7 @@ msgstr "Agregar destinatario de marcador de posición"
|
|||||||
msgid "Add Placeholders"
|
msgid "Add Placeholders"
|
||||||
msgstr "Agregar Marcadores de posición"
|
msgstr "Agregar Marcadores de posición"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Add Signer"
|
msgid "Add Signer"
|
||||||
msgstr "Agregar firmante"
|
msgstr "Agregar firmante"
|
||||||
@ -808,6 +822,10 @@ msgstr "Agregar firmante"
|
|||||||
msgid "Add Signers"
|
msgid "Add Signers"
|
||||||
msgstr "Agregar Firmantes"
|
msgstr "Agregar Firmantes"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
msgid "Add signers and configure signing preferences"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
||||||
msgid "Add team email"
|
msgid "Add team email"
|
||||||
msgstr "Agregar correo electrónico del equipo"
|
msgstr "Agregar correo electrónico del equipo"
|
||||||
@ -853,11 +871,16 @@ msgstr "Panel administrativo"
|
|||||||
msgid "Advanced Options"
|
msgid "Advanced Options"
|
||||||
msgstr "Opciones avanzadas"
|
msgstr "Opciones avanzadas"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Advanced settings"
|
msgid "Advanced settings"
|
||||||
msgstr "Configuraciones avanzadas"
|
msgstr "Configuraciones avanzadas"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Advanced Settings"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
||||||
msgstr "Después de firmar un documento electrónicamente, se le dará la oportunidad de ver, descargar e imprimir el documento para sus registros. Se recomienda encarecidamente que conserve una copia de todos los documentos firmados electrónicamente para sus registros personales. También mantendremos una copia del documento firmado para nuestros registros, sin embargo, es posible que no podamos proporcionarle una copia del documento firmado después de un cierto período de tiempo."
|
msgstr "Después de firmar un documento electrónicamente, se le dará la oportunidad de ver, descargar e imprimir el documento para sus registros. Se recomienda encarecidamente que conserve una copia de todos los documentos firmados electrónicamente para sus registros personales. También mantendremos una copia del documento firmado para nuestros registros, sin embargo, es posible que no podamos proporcionarle una copia del documento firmado después de un cierto período de tiempo."
|
||||||
@ -910,11 +933,13 @@ msgstr "Todo el Tiempo"
|
|||||||
msgid "Allow document recipients to reply directly to this email address"
|
msgid "Allow document recipients to reply directly to this email address"
|
||||||
msgstr "Permitir que los destinatarios del documento respondan directamente a esta dirección de correo electrónico"
|
msgstr "Permitir que los destinatarios del documento respondan directamente a esta dirección de correo electrónico"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Allow signers to dictate next signer"
|
msgid "Allow signers to dictate next signer"
|
||||||
msgstr "Permitir a los firmantes dictar al siguiente firmante"
|
msgstr "Permitir a los firmantes dictar al siguiente firmante"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Allowed Signature Types"
|
msgid "Allowed Signature Types"
|
||||||
@ -1297,6 +1322,8 @@ msgstr "Esperando confirmación de correo electrónico"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
msgid "Back"
|
msgid "Back"
|
||||||
msgstr "Atrás"
|
msgstr "Atrás"
|
||||||
|
|
||||||
@ -1465,6 +1492,7 @@ msgstr "Puede preparar"
|
|||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
@ -1480,6 +1508,10 @@ msgstr "Cancelar"
|
|||||||
msgid "Cancelled by user"
|
msgid "Cancelled by user"
|
||||||
msgstr "Cancelado por el usuario"
|
msgstr "Cancelado por el usuario"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Cannot remove document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Cannot remove signer"
|
msgid "Cannot remove signer"
|
||||||
msgstr "No se puede eliminar el firmante"
|
msgstr "No se puede eliminar el firmante"
|
||||||
@ -1533,6 +1565,10 @@ msgstr "Elija el destinatario del enlace directo"
|
|||||||
msgid "Choose how the document will reach recipients"
|
msgid "Choose how the document will reach recipients"
|
||||||
msgstr "Elige cómo el documento llegará a los destinatarios"
|
msgstr "Elige cómo el documento llegará a los destinatarios"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Choose how to distribute your document to recipients. Email will send notifications, None will generate signing links for manual distribution."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/token.tsx
|
#: apps/remix/app/components/forms/token.tsx
|
||||||
msgid "Choose..."
|
msgid "Choose..."
|
||||||
msgstr "Elija..."
|
msgstr "Elija..."
|
||||||
@ -1602,6 +1638,10 @@ msgstr "Haga clic para insertar campo"
|
|||||||
msgid "Close"
|
msgid "Close"
|
||||||
msgstr "Cerrar"
|
msgstr "Cerrar"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Communication"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
@ -1658,10 +1698,29 @@ msgstr "Documentos completados"
|
|||||||
msgid "Completed Documents"
|
msgid "Completed Documents"
|
||||||
msgstr "Documentos Completados"
|
msgstr "Documentos Completados"
|
||||||
|
|
||||||
|
#. placeholder {0}: parseMessageDescriptor(_, FRIENDLY_FIELD_TYPE[currentField.type])
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
|
msgid "Configure {0} Field"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Configure additional options and preferences"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/lib/constants/template.ts
|
#: packages/lib/constants/template.ts
|
||||||
msgid "Configure Direct Recipient"
|
msgid "Configure Direct Recipient"
|
||||||
msgstr "Configurar destinatario directo"
|
msgstr "Configurar destinatario directo"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure Fields"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
msgid "Configure general settings for the document."
|
msgid "Configure general settings for the document."
|
||||||
msgstr "Configurar ajustes generales para el documento."
|
msgstr "Configurar ajustes generales para el documento."
|
||||||
@ -1674,12 +1733,22 @@ msgstr "Configurar ajustes generales para la plantilla."
|
|||||||
msgid "Configure template"
|
msgid "Configure template"
|
||||||
msgstr "Configurar plantilla"
|
msgstr "Configurar plantilla"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Template"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Configure the {0} field"
|
msgid "Configure the {0} field"
|
||||||
msgstr "Configurar el campo {0}"
|
msgstr "Configurar el campo {0}"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure the fields you want to place on the document."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
msgid "Confirm"
|
msgid "Confirm"
|
||||||
@ -1724,12 +1793,13 @@ msgid "Content"
|
|||||||
msgstr "Contenido"
|
msgstr "Contenido"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
||||||
@ -1993,6 +2063,7 @@ msgstr "Fecha"
|
|||||||
msgid "Date created"
|
msgid "Date created"
|
||||||
msgstr "Fecha de creación"
|
msgstr "Fecha de creación"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Date Format"
|
msgid "Date Format"
|
||||||
@ -2104,6 +2175,8 @@ msgstr "Eliminar su cuenta y todo su contenido, incluidos documentos completados
|
|||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-page-view-information.tsx
|
||||||
msgid "Deleted"
|
msgid "Deleted"
|
||||||
msgstr "Eliminado"
|
msgstr "Eliminado"
|
||||||
|
|
||||||
@ -2217,6 +2290,10 @@ msgstr "Mostrar su nombre y correo electrónico en documentos"
|
|||||||
msgid "Distribute Document"
|
msgid "Distribute Document"
|
||||||
msgstr "Distribuir documento"
|
msgstr "Distribuir documento"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Distribution Method"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Do you want to delete this template?"
|
msgid "Do you want to delete this template?"
|
||||||
msgstr "¿Desea eliminar esta plantilla?"
|
msgstr "¿Desea eliminar esta plantilla?"
|
||||||
@ -2294,6 +2371,10 @@ msgstr "¡Documento completado!"
|
|||||||
msgid "Document created"
|
msgid "Document created"
|
||||||
msgstr "Documento creado"
|
msgstr "Documento creado"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Document Created"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: document.user.name
|
#. placeholder {0}: document.user.name
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
||||||
msgid "Document created by <0>{0}</0>"
|
msgid "Document created by <0>{0}</0>"
|
||||||
@ -2313,6 +2394,7 @@ msgid "Document Creation"
|
|||||||
msgstr "Creación de documento"
|
msgstr "Creación de documento"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
@ -2358,6 +2440,10 @@ msgstr "ID del documento"
|
|||||||
msgid "Document inbox"
|
msgid "Document inbox"
|
||||||
msgstr "Bandeja de documentos"
|
msgstr "Bandeja de documentos"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Document is already uploaded"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
msgid "Document Limit Exceeded!"
|
msgid "Document Limit Exceeded!"
|
||||||
msgstr "¡Límite de documentos excedido!"
|
msgstr "¡Límite de documentos excedido!"
|
||||||
@ -2412,6 +2498,11 @@ msgstr "Documento Rechazado"
|
|||||||
msgid "Document resealed"
|
msgid "Document resealed"
|
||||||
msgstr "Documento sellado nuevamente"
|
msgstr "Documento sellado nuevamente"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "Document restored"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "Document sent"
|
msgid "Document sent"
|
||||||
@ -2539,10 +2630,18 @@ msgstr "Documentos redactados"
|
|||||||
msgid "Drag & drop your PDF here."
|
msgid "Drag & drop your PDF here."
|
||||||
msgstr "Arrastre y suelte su PDF aquí."
|
msgstr "Arrastre y suelte su PDF aquí."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drag and drop or click to upload"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "Draw"
|
msgid "Draw"
|
||||||
msgstr "Dibujar"
|
msgstr "Dibujar"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drop your document here"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Dropdown"
|
msgid "Dropdown"
|
||||||
@ -2607,6 +2706,9 @@ msgstr "Divulgación de Firma Electrónica"
|
|||||||
#: apps/remix/app/components/forms/forgot-password.tsx
|
#: apps/remix/app/components/forms/forgot-password.tsx
|
||||||
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
||||||
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -2700,6 +2802,7 @@ msgstr "Habilitar branding personalizado para todos los documentos en este equip
|
|||||||
msgid "Enable Direct Link Signing"
|
msgid "Enable Direct Link Signing"
|
||||||
msgstr "Habilitar firma de enlace directo"
|
msgstr "Habilitar firma de enlace directo"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Enable signing order"
|
msgid "Enable signing order"
|
||||||
@ -2793,6 +2896,10 @@ msgstr "Ingresa tu texto aquí"
|
|||||||
msgid "Error"
|
msgid "Error"
|
||||||
msgstr "Error"
|
msgstr "Error"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Error uploading file"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "Everyone can access and view the document"
|
msgid "Everyone can access and view the document"
|
||||||
msgstr "Todos pueden acceder y ver el documento"
|
msgstr "Todos pueden acceder y ver el documento"
|
||||||
@ -2888,6 +2995,7 @@ msgid "Fields"
|
|||||||
msgstr "Campos"
|
msgstr "Campos"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
||||||
msgstr "El archivo no puede ser mayor a {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
msgstr "El archivo no puede ser mayor a {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
||||||
|
|
||||||
@ -2941,6 +3049,7 @@ msgstr "Nombre completo"
|
|||||||
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
msgid "General"
|
msgid "General"
|
||||||
msgstr "General"
|
msgstr "General"
|
||||||
|
|
||||||
@ -3142,7 +3251,7 @@ msgstr "Código inválido. Por favor, intenta nuevamente."
|
|||||||
msgid "Invalid email"
|
msgid "Invalid email"
|
||||||
msgstr "Email inválido"
|
msgstr "Email inválido"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
msgid "Invalid link"
|
msgid "Invalid link"
|
||||||
msgstr "Enlace inválido"
|
msgstr "Enlace inválido"
|
||||||
@ -3239,6 +3348,7 @@ msgid "Label"
|
|||||||
msgstr "Etiqueta"
|
msgstr "Etiqueta"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/menu-switcher.tsx
|
#: apps/remix/app/components/general/menu-switcher.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Language"
|
msgid "Language"
|
||||||
@ -3471,6 +3581,7 @@ msgstr "Miembro desde"
|
|||||||
msgid "Members"
|
msgid "Members"
|
||||||
msgstr "Miembros"
|
msgstr "Miembros"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Message <0>(Optional)</0>"
|
msgid "Message <0>(Optional)</0>"
|
||||||
@ -3534,6 +3645,8 @@ msgstr "Mis plantillas"
|
|||||||
#: apps/remix/app/components/general/claim-account.tsx
|
#: apps/remix/app/components/general/claim-account.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -3622,8 +3735,8 @@ msgstr "No hay actividad reciente"
|
|||||||
msgid "No recent documents"
|
msgid "No recent documents"
|
||||||
msgstr "No hay documentos recientes"
|
msgstr "No hay documentos recientes"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipient matching this description was found."
|
msgid "No recipient matching this description was found."
|
||||||
msgstr "No se encontró ningún destinatario que coincidiera con esta descripción."
|
msgstr "No se encontró ningún destinatario que coincidiera con esta descripción."
|
||||||
|
|
||||||
@ -3634,8 +3747,8 @@ msgstr "No se encontró ningún destinatario que coincidiera con esta descripci
|
|||||||
msgid "No recipients"
|
msgid "No recipients"
|
||||||
msgstr "Sin destinatarios"
|
msgstr "Sin destinatarios"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipients with this role"
|
msgid "No recipients with this role"
|
||||||
msgstr "No hay destinatarios con este rol"
|
msgstr "No hay destinatarios con este rol"
|
||||||
|
|
||||||
@ -3677,6 +3790,7 @@ msgstr "No se encontró valor."
|
|||||||
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
||||||
msgstr "¡No te preocupes, sucede! Ingresa tu correo electrónico y te enviaremos un enlace especial para restablecer tu contraseña."
|
msgstr "¡No te preocupes, sucede! Ingresa tu correo electrónico y te enviaremos un enlace especial para restablecer tu contraseña."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "None"
|
msgid "None"
|
||||||
msgstr "Ninguno"
|
msgstr "Ninguno"
|
||||||
@ -3685,6 +3799,10 @@ msgstr "Ninguno"
|
|||||||
msgid "Not supported"
|
msgid "Not supported"
|
||||||
msgstr "No soportado"
|
msgstr "No soportado"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "Nothing in the trash"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
msgid "Nothing to do"
|
msgid "Nothing to do"
|
||||||
@ -4023,6 +4141,7 @@ msgstr "Por favor, ten en cuenta que proceder eliminará el destinatario de enla
|
|||||||
msgid "Please note that this action is <0>irreversible</0>."
|
msgid "Please note that this action is <0>irreversible</0>."
|
||||||
msgstr "Por favor, ten en cuenta que esta acción es <0>irreversible</0>."
|
msgstr "Por favor, ten en cuenta que esta acción es <0>irreversible</0>."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
||||||
msgstr "Por favor, ten en cuenta que esta acción es <0>irreversible</0>. Una vez confirmada, este documento será eliminado permanentemente."
|
msgstr "Por favor, ten en cuenta que esta acción es <0>irreversible</0>. Una vez confirmada, este documento será eliminado permanentemente."
|
||||||
@ -4261,6 +4380,7 @@ msgstr "Destinatario actualizado"
|
|||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
||||||
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
msgid "Recipients"
|
msgid "Recipients"
|
||||||
msgstr "Destinatarios"
|
msgstr "Destinatarios"
|
||||||
|
|
||||||
@ -4284,6 +4404,7 @@ msgstr "Códigos de recuperación"
|
|||||||
msgid "Red"
|
msgid "Red"
|
||||||
msgstr "Rojo"
|
msgstr "Rojo"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Redirect URL"
|
msgid "Redirect URL"
|
||||||
@ -4434,6 +4555,15 @@ msgstr "Resolver pago"
|
|||||||
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
||||||
msgstr "Ten la seguridad de que tu documento es estrictamente confidencial y nunca será compartido. Solo se destacará tu experiencia de firma. ¡Comparte tu tarjeta de firma personalizada para mostrar tu firma!"
|
msgstr "Ten la seguridad de que tu documento es estrictamente confidencial y nunca será compartido. Solo se destacará tu experiencia de firma. ¡Comparte tu tarjeta de firma personalizada para mostrar tu firma!"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-action-dropdown.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "Retention of Documents"
|
msgid "Retention of Documents"
|
||||||
msgstr "Retención de Documentos"
|
msgstr "Retención de Documentos"
|
||||||
@ -4442,7 +4572,7 @@ msgstr "Retención de Documentos"
|
|||||||
msgid "Retry"
|
msgid "Retry"
|
||||||
msgstr "Reintentar"
|
msgstr "Reintentar"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
||||||
@ -4473,6 +4603,7 @@ msgstr "Revocar acceso"
|
|||||||
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
||||||
@ -4490,6 +4621,8 @@ msgstr "Filas por página"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
||||||
msgid "Save"
|
msgid "Save"
|
||||||
@ -4665,6 +4798,14 @@ msgstr "Enviado"
|
|||||||
msgid "Set a password"
|
msgid "Set a password"
|
||||||
msgstr "Establecer una contraseña"
|
msgstr "Establecer una contraseña"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your document properties and recipient information"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your template properties and recipient information"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
||||||
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
||||||
#: apps/remix/app/components/general/app-command-menu.tsx
|
#: apps/remix/app/components/general/app-command-menu.tsx
|
||||||
@ -4964,6 +5105,7 @@ msgstr "Algunos firmantes no han sido asignados a un campo de firma. Asigne al m
|
|||||||
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
@ -4972,7 +5114,7 @@ msgid "Something went wrong"
|
|||||||
msgstr "Algo salió mal"
|
msgstr "Algo salió mal"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
||||||
msgstr "Algo salió mal al intentar transferir la propiedad del equipo <0>{0}</0> a tu equipo. Por favor, intenta de nuevo más tarde o contacta al soporte."
|
msgstr "Algo salió mal al intentar transferir la propiedad del equipo <0>{0}</0> a tu equipo. Por favor, intenta de nuevo más tarde o contacta al soporte."
|
||||||
|
|
||||||
@ -5044,6 +5186,7 @@ msgstr "Estado"
|
|||||||
msgid "Step <0>{step} of {maxStep}</0>"
|
msgid "Step <0>{step} of {maxStep}</0>"
|
||||||
msgstr "Paso <0>{step} de {maxStep}</0>"
|
msgstr "Paso <0>{step} de {maxStep}</0>"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Subject <0>(Optional)</0>"
|
msgid "Subject <0>(Optional)</0>"
|
||||||
@ -5201,15 +5344,15 @@ msgstr "Solo equipo"
|
|||||||
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
||||||
msgstr "Las plantillas solo para el equipo no están vinculadas en ningún lado y son visibles solo para tu equipo."
|
msgstr "Las plantillas solo para el equipo no están vinculadas en ningún lado y son visibles solo para tu equipo."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer"
|
msgid "Team ownership transfer"
|
||||||
msgstr "Transferencia de propiedad del equipo"
|
msgstr "Transferencia de propiedad del equipo"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer already completed!"
|
msgid "Team ownership transfer already completed!"
|
||||||
msgstr "¡La transferencia de propiedad del equipo ya se ha completado!"
|
msgstr "¡La transferencia de propiedad del equipo ya se ha completado!"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transferred!"
|
msgid "Team ownership transferred!"
|
||||||
msgstr "¡Propiedad del equipo transferida!"
|
msgstr "¡Propiedad del equipo transferida!"
|
||||||
|
|
||||||
@ -5268,6 +5411,10 @@ msgstr "Equipos restringidos"
|
|||||||
msgid "Template"
|
msgid "Template"
|
||||||
msgstr "Plantilla"
|
msgstr "Plantilla"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Template Created"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Template deleted"
|
msgid "Template deleted"
|
||||||
msgstr "Plantilla eliminada"
|
msgstr "Plantilla eliminada"
|
||||||
@ -5383,6 +5530,10 @@ msgstr "El enlace directo ha sido copiado a tu portapapeles"
|
|||||||
msgid "The document has been successfully moved to the selected team."
|
msgid "The document has been successfully moved to the selected team."
|
||||||
msgstr "El documento ha sido movido con éxito al equipo seleccionado."
|
msgstr "El documento ha sido movido con éxito al equipo seleccionado."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "The document is already saved and cannot be changed."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
||||||
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
||||||
msgstr "El documento ahora está completado, por favor sigue cualquier instrucción proporcionada dentro de la aplicación principal."
|
msgstr "El documento ahora está completado, por favor sigue cualquier instrucción proporcionada dentro de la aplicación principal."
|
||||||
@ -5408,6 +5559,14 @@ msgstr "El documento será ocultado de tu cuenta"
|
|||||||
msgid "The document will be immediately sent to recipients if this is checked."
|
msgid "The document will be immediately sent to recipients if this is checked."
|
||||||
msgstr "El documento se enviará inmediatamente a los destinatarios si esto está marcado."
|
msgstr "El documento se enviará inmediatamente a los destinatarios si esto está marcado."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be restored to your account and will be available in your documents list."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be unhidden from your account and will be available in your documents list."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
||||||
msgid "The document's name"
|
msgid "The document's name"
|
||||||
msgstr "El nombre del documento"
|
msgstr "El nombre del documento"
|
||||||
@ -5434,7 +5593,7 @@ msgid "The following team has been deleted by you"
|
|||||||
msgstr "El siguiente equipo ha sido eliminado por ti"
|
msgstr "El siguiente equipo ha sido eliminado por ti"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
||||||
msgstr "La propiedad del equipo <0>{0}</0> ha sido transferida con éxito a ti."
|
msgstr "La propiedad del equipo <0>{0}</0> ha sido transferida con éxito a ti."
|
||||||
|
|
||||||
@ -5531,9 +5690,11 @@ msgid "The team transfer request to <0>{0}</0> has expired."
|
|||||||
msgstr "La solicitud de transferencia de equipo a <0>{0}</0> ha expirado."
|
msgstr "La solicitud de transferencia de equipo a <0>{0}</0> ha expirado."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/t.$teamUrl+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/t.$teamUrl+/_layout.tsx
|
||||||
msgid "The team you are looking for may have been removed, renamed or may have never\n"
|
msgid ""
|
||||||
|
"The team you are looking for may have been removed, renamed or may have never\n"
|
||||||
" existed."
|
" existed."
|
||||||
msgstr "El equipo que buscas puede haber sido eliminado, renombrado o quizás nunca\n"
|
msgstr ""
|
||||||
|
"El equipo que buscas puede haber sido eliminado, renombrado o quizás nunca\n"
|
||||||
" existió."
|
" existió."
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-move-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-move-dialog.tsx
|
||||||
@ -5591,6 +5752,14 @@ msgstr "No hay borradores activos en este momento. Puedes subir un documento par
|
|||||||
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
||||||
msgstr "Aún no hay documentos completados. Los documentos que hayas creado o recibido aparecerán aquí una vez completados."
|
msgstr "Aún no hay documentos completados. Los documentos que hayas creado o recibido aparecerán aquí una vez completados."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "There are no documents in the trash."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "There was an error uploading your file. Please try again."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
msgid "They have permission on your behalf to:"
|
msgid "They have permission on your behalf to:"
|
||||||
msgstr "Tienen permiso en tu nombre para:"
|
msgstr "Tienen permiso en tu nombre para:"
|
||||||
@ -5621,6 +5790,10 @@ msgstr "Esto se puede anular configurando los requisitos de autenticación direc
|
|||||||
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
||||||
msgstr "Este documento no se puede recuperar, si deseas impugnar la razón para documentos futuros, por favor contacta con el soporte."
|
msgstr "Este documento no se puede recuperar, si deseas impugnar la razón para documentos futuros, por favor contacta con el soporte."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "This document cannot be changed"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "This document could not be deleted at this time. Please try again."
|
msgid "This document could not be deleted at this time. Please try again."
|
||||||
msgstr "Este documento no se pudo eliminar en este momento. Por favor, inténtalo de nuevo."
|
msgstr "Este documento no se pudo eliminar en este momento. Por favor, inténtalo de nuevo."
|
||||||
@ -5633,7 +5806,11 @@ msgstr "Este documento no se pudo duplicar en este momento. Por favor, inténtal
|
|||||||
msgid "This document could not be re-sent at this time. Please try again."
|
msgid "This document could not be re-sent at this time. Please try again."
|
||||||
msgstr "Este documento no se pudo reenviar en este momento. Por favor, inténtalo de nuevo."
|
msgstr "Este documento no se pudo reenviar en este momento. Por favor, inténtalo de nuevo."
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "This document could not be restored at this time. Please try again."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
||||||
msgstr "Este documento ya ha sido enviado a este destinatario. Ya no puede editar a este destinatario."
|
msgstr "Este documento ya ha sido enviado a este destinatario. Ya no puede editar a este destinatario."
|
||||||
|
|
||||||
@ -5701,7 +5878,7 @@ msgstr "Este campo no se puede modificar ni eliminar. Cuando comparta el enlace
|
|||||||
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
||||||
msgstr "Así es como el documento llegará a los destinatarios una vez que esté listo para firmarse."
|
msgstr "Así es como el documento llegará a los destinatarios una vez que esté listo para firmarse."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
||||||
msgstr "Este enlace es inválido o ha expirado. Por favor, contacta a tu equipo para reenviar una solicitud de transferencia."
|
msgstr "Este enlace es inválido o ha expirado. Por favor, contacta a tu equipo para reenviar una solicitud de transferencia."
|
||||||
|
|
||||||
@ -5784,6 +5961,7 @@ msgid "Time zone"
|
|||||||
msgstr "Zona horaria"
|
msgstr "Zona horaria"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Time Zone"
|
msgid "Time Zone"
|
||||||
@ -5793,6 +5971,7 @@ msgstr "Zona horaria"
|
|||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table.tsx
|
#: apps/remix/app/components/tables/documents-table.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Title"
|
msgid "Title"
|
||||||
msgstr "Título"
|
msgstr "Título"
|
||||||
@ -6190,6 +6369,10 @@ msgstr "Subir CSV"
|
|||||||
msgid "Upload custom document"
|
msgid "Upload custom document"
|
||||||
msgstr "Subir documento personalizado"
|
msgstr "Subir documento personalizado"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Upload Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
||||||
msgid "Upload Signature"
|
msgid "Upload Signature"
|
||||||
msgstr "Subir firma"
|
msgstr "Subir firma"
|
||||||
@ -6731,6 +6914,7 @@ msgstr "¡Bienvenido a Documenso!"
|
|||||||
msgid "Were you trying to edit this document instead?"
|
msgid "Were you trying to edit this document instead?"
|
||||||
msgstr "¿Estabas intentando editar este documento en su lugar?"
|
msgstr "¿Estabas intentando editar este documento en su lugar?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
||||||
@ -6799,6 +6983,10 @@ msgstr "Estás a punto de salir del siguiente equipo."
|
|||||||
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
||||||
msgstr "Estás a punto de eliminar al siguiente usuario de <0>{teamName}</0>."
|
msgstr "Estás a punto de eliminar al siguiente usuario de <0>{teamName}</0>."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to restore <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: teamEmail.team.name
|
#. placeholder {0}: teamEmail.team.name
|
||||||
#. placeholder {1}: teamEmail.team.url
|
#. placeholder {1}: teamEmail.team.url
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
@ -6809,6 +6997,10 @@ msgstr "Estás a punto de revocar el acceso para el equipo <0>{0}</0> ({1}) para
|
|||||||
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
||||||
msgstr "Está a punto de enviar este documento a los destinatarios. ¿Está seguro de que desea continuar?"
|
msgstr "Está a punto de enviar este documento a los destinatarios. ¿Está seguro de que desea continuar?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to unhide <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
||||||
msgid "You are currently on the <0>Free Plan</0>."
|
msgid "You are currently on the <0>Free Plan</0>."
|
||||||
msgstr "Actualmente estás en el <0>Plan Gratuito</0>."
|
msgstr "Actualmente estás en el <0>Plan Gratuito</0>."
|
||||||
@ -6916,7 +7108,7 @@ msgid "You have accepted an invitation from <0>{0}</0> to join their team."
|
|||||||
msgstr "Has aceptado una invitación de <0>{0}</0> para unirte a su equipo."
|
msgstr "Has aceptado una invitación de <0>{0}</0> para unirte a su equipo."
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
||||||
msgstr "Ya has completado la transferencia de propiedad para <0>{0}</0>."
|
msgstr "Ya has completado la transferencia de propiedad para <0>{0}</0>."
|
||||||
|
|
||||||
@ -7118,6 +7310,7 @@ msgid "Your direct signing templates"
|
|||||||
msgstr "Tus {0} plantillas de firma directa"
|
msgstr "Tus {0} plantillas de firma directa"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "Your document failed to upload."
|
msgid "Your document failed to upload."
|
||||||
msgstr "Tu documento no se pudo cargar."
|
msgstr "Tu documento no se pudo cargar."
|
||||||
|
|
||||||
@ -7125,6 +7318,10 @@ msgstr "Tu documento no se pudo cargar."
|
|||||||
msgid "Your document has been created from the template successfully."
|
msgid "Your document has been created from the template successfully."
|
||||||
msgstr "Tu documento se ha creado exitosamente a partir de la plantilla."
|
msgstr "Tu documento se ha creado exitosamente a partir de la plantilla."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your document has been created successfully"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/email/template-components/template-document-super-delete.tsx
|
#: packages/email/template-components/template-document-super-delete.tsx
|
||||||
msgid "Your document has been deleted by an admin!"
|
msgid "Your document has been deleted by an admin!"
|
||||||
msgstr "¡Tu documento ha sido eliminado por un administrador!"
|
msgstr "¡Tu documento ha sido eliminado por un administrador!"
|
||||||
@ -7235,6 +7432,10 @@ msgstr "Tu equipo ha sido eliminado con éxito."
|
|||||||
msgid "Your team has been successfully updated."
|
msgid "Your team has been successfully updated."
|
||||||
msgstr "Tu equipo ha sido actualizado con éxito."
|
msgstr "Tu equipo ha sido actualizado con éxito."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your template has been created successfully"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
||||||
msgid "Your template has been duplicated successfully."
|
msgid "Your template has been duplicated successfully."
|
||||||
msgstr "Tu plantilla ha sido duplicada con éxito."
|
msgstr "Tu plantilla ha sido duplicada con éxito."
|
||||||
@ -7262,4 +7463,3 @@ msgstr "¡Tu token se creó con éxito! ¡Asegúrate de copiarlo porque no podr
|
|||||||
#: apps/remix/app/routes/_authenticated+/settings+/tokens.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/tokens.tsx
|
||||||
msgid "Your tokens will be shown here once you create them."
|
msgid "Your tokens will be shown here once you create them."
|
||||||
msgstr "Tus tokens se mostrarán aquí una vez que los crees."
|
msgstr "Tus tokens se mostrarán aquí una vez que los crees."
|
||||||
|
|
||||||
|
|||||||
@ -26,6 +26,10 @@ msgstr " Activer la signature de lien direct"
|
|||||||
msgid " The events that will trigger a webhook to be sent to your URL."
|
msgid " The events that will trigger a webhook to be sent to your URL."
|
||||||
msgstr " Les événements qui déclencheront l'envoi d'un webhook vers votre URL."
|
msgstr " Les événements qui déclencheront l'envoi d'un webhook vers votre URL."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid ".PDF documents accepted (max {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB)"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -53,6 +57,10 @@ msgstr "“{documentName}” a été signé par tous les signataires"
|
|||||||
msgid "\"{documentTitle}\" has been successfully deleted"
|
msgid "\"{documentTitle}\" has been successfully deleted"
|
||||||
msgstr "\"{documentTitle}\" a été supprimé avec succès"
|
msgstr "\"{documentTitle}\" a été supprimé avec succès"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "\"{documentTitle}\" has been successfully restored"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -270,6 +278,10 @@ msgstr "{prefix} a supprimé un destinataire"
|
|||||||
msgid "{prefix} resent an email to {0}"
|
msgid "{prefix} resent an email to {0}"
|
||||||
msgstr "{prefix} a renvoyé un e-mail à {0}"
|
msgstr "{prefix} a renvoyé un e-mail à {0}"
|
||||||
|
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "{prefix} restored the document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: data.recipientEmail
|
#. placeholder {0}: data.recipientEmail
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "{prefix} sent an email to {0}"
|
msgid "{prefix} sent an email to {0}"
|
||||||
@ -727,6 +739,7 @@ msgstr "Ajouter"
|
|||||||
msgid "Add a document"
|
msgid "Add a document"
|
||||||
msgstr "Ajouter un document"
|
msgstr "Ajouter un document"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Add a URL to redirect the user to once the document is signed"
|
msgid "Add a URL to redirect the user to once the document is signed"
|
||||||
@ -800,6 +813,7 @@ msgstr "Ajouter un destinataire fictif"
|
|||||||
msgid "Add Placeholders"
|
msgid "Add Placeholders"
|
||||||
msgstr "Ajouter des espaces réservés"
|
msgstr "Ajouter des espaces réservés"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Add Signer"
|
msgid "Add Signer"
|
||||||
msgstr "Ajouter un signataire"
|
msgstr "Ajouter un signataire"
|
||||||
@ -808,6 +822,10 @@ msgstr "Ajouter un signataire"
|
|||||||
msgid "Add Signers"
|
msgid "Add Signers"
|
||||||
msgstr "Ajouter des signataires"
|
msgstr "Ajouter des signataires"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
msgid "Add signers and configure signing preferences"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
||||||
msgid "Add team email"
|
msgid "Add team email"
|
||||||
msgstr "Ajouter un e-mail d'équipe"
|
msgstr "Ajouter un e-mail d'équipe"
|
||||||
@ -853,11 +871,16 @@ msgstr "Panneau d'administration"
|
|||||||
msgid "Advanced Options"
|
msgid "Advanced Options"
|
||||||
msgstr "Options avancées"
|
msgstr "Options avancées"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Advanced settings"
|
msgid "Advanced settings"
|
||||||
msgstr "Paramètres avancés"
|
msgstr "Paramètres avancés"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Advanced Settings"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
||||||
msgstr "Après avoir signé un document électroniquement, vous aurez l'occasion de visualiser, télécharger et imprimer le document pour vos dossiers. Il est fortement recommandé de conserver une copie de tous les documents signés électroniquement pour vos dossiers personnels. Nous conserverons également une copie du document signé pour nos dossiers, mais nous pourrions ne pas être en mesure de vous fournir une copie du document signé après une certaine période."
|
msgstr "Après avoir signé un document électroniquement, vous aurez l'occasion de visualiser, télécharger et imprimer le document pour vos dossiers. Il est fortement recommandé de conserver une copie de tous les documents signés électroniquement pour vos dossiers personnels. Nous conserverons également une copie du document signé pour nos dossiers, mais nous pourrions ne pas être en mesure de vous fournir une copie du document signé après une certaine période."
|
||||||
@ -910,11 +933,13 @@ msgstr "Depuis toujours"
|
|||||||
msgid "Allow document recipients to reply directly to this email address"
|
msgid "Allow document recipients to reply directly to this email address"
|
||||||
msgstr "Autoriser les destinataires du document à répondre directement à cette adresse e-mail"
|
msgstr "Autoriser les destinataires du document à répondre directement à cette adresse e-mail"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Allow signers to dictate next signer"
|
msgid "Allow signers to dictate next signer"
|
||||||
msgstr "Permettre aux signataires de dicter le prochain signataire"
|
msgstr "Permettre aux signataires de dicter le prochain signataire"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Allowed Signature Types"
|
msgid "Allowed Signature Types"
|
||||||
@ -1297,6 +1322,8 @@ msgstr "En attente de confirmation par e-mail"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
msgid "Back"
|
msgid "Back"
|
||||||
msgstr "Retour"
|
msgstr "Retour"
|
||||||
|
|
||||||
@ -1465,6 +1492,7 @@ msgstr "Peut préparer"
|
|||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
@ -1480,6 +1508,10 @@ msgstr "Annuler"
|
|||||||
msgid "Cancelled by user"
|
msgid "Cancelled by user"
|
||||||
msgstr "Annulé par l'utilisateur"
|
msgstr "Annulé par l'utilisateur"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Cannot remove document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Cannot remove signer"
|
msgid "Cannot remove signer"
|
||||||
msgstr "Impossible de supprimer le signataire"
|
msgstr "Impossible de supprimer le signataire"
|
||||||
@ -1533,6 +1565,10 @@ msgstr "Choisissez un destinataire pour le lien direct"
|
|||||||
msgid "Choose how the document will reach recipients"
|
msgid "Choose how the document will reach recipients"
|
||||||
msgstr "Choisissez comment le document atteindra les destinataires"
|
msgstr "Choisissez comment le document atteindra les destinataires"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Choose how to distribute your document to recipients. Email will send notifications, None will generate signing links for manual distribution."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/token.tsx
|
#: apps/remix/app/components/forms/token.tsx
|
||||||
msgid "Choose..."
|
msgid "Choose..."
|
||||||
msgstr "Choisissez..."
|
msgstr "Choisissez..."
|
||||||
@ -1602,6 +1638,10 @@ msgstr "Cliquez pour insérer un champ"
|
|||||||
msgid "Close"
|
msgid "Close"
|
||||||
msgstr "Fermer"
|
msgstr "Fermer"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Communication"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
@ -1658,10 +1698,29 @@ msgstr "Documents complétés"
|
|||||||
msgid "Completed Documents"
|
msgid "Completed Documents"
|
||||||
msgstr "Documents Complétés"
|
msgstr "Documents Complétés"
|
||||||
|
|
||||||
|
#. placeholder {0}: parseMessageDescriptor(_, FRIENDLY_FIELD_TYPE[currentField.type])
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
|
msgid "Configure {0} Field"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Configure additional options and preferences"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/lib/constants/template.ts
|
#: packages/lib/constants/template.ts
|
||||||
msgid "Configure Direct Recipient"
|
msgid "Configure Direct Recipient"
|
||||||
msgstr "Configurer le destinataire direct"
|
msgstr "Configurer le destinataire direct"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure Fields"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
msgid "Configure general settings for the document."
|
msgid "Configure general settings for the document."
|
||||||
msgstr "Configurer les paramètres généraux pour le document."
|
msgstr "Configurer les paramètres généraux pour le document."
|
||||||
@ -1674,12 +1733,22 @@ msgstr "Configurer les paramètres généraux pour le modèle."
|
|||||||
msgid "Configure template"
|
msgid "Configure template"
|
||||||
msgstr "Configurer le modèle"
|
msgstr "Configurer le modèle"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Template"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Configure the {0} field"
|
msgid "Configure the {0} field"
|
||||||
msgstr "Configurer le champ {0}"
|
msgstr "Configurer le champ {0}"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure the fields you want to place on the document."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
msgid "Confirm"
|
msgid "Confirm"
|
||||||
@ -1724,12 +1793,13 @@ msgid "Content"
|
|||||||
msgstr "Contenu"
|
msgstr "Contenu"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
||||||
@ -1993,6 +2063,7 @@ msgstr "Date"
|
|||||||
msgid "Date created"
|
msgid "Date created"
|
||||||
msgstr "Date de création"
|
msgstr "Date de création"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Date Format"
|
msgid "Date Format"
|
||||||
@ -2104,6 +2175,8 @@ msgstr "Supprimez votre compte et tout son contenu, y compris les documents comp
|
|||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-page-view-information.tsx
|
||||||
msgid "Deleted"
|
msgid "Deleted"
|
||||||
msgstr "Supprimé"
|
msgstr "Supprimé"
|
||||||
|
|
||||||
@ -2217,6 +2290,10 @@ msgstr "Afficher votre nom et votre email dans les documents"
|
|||||||
msgid "Distribute Document"
|
msgid "Distribute Document"
|
||||||
msgstr "Distribuer le document"
|
msgstr "Distribuer le document"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Distribution Method"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Do you want to delete this template?"
|
msgid "Do you want to delete this template?"
|
||||||
msgstr "Voulez-vous supprimer ce modèle ?"
|
msgstr "Voulez-vous supprimer ce modèle ?"
|
||||||
@ -2294,6 +2371,10 @@ msgstr "Document Complété !"
|
|||||||
msgid "Document created"
|
msgid "Document created"
|
||||||
msgstr "Document créé"
|
msgstr "Document créé"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Document Created"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: document.user.name
|
#. placeholder {0}: document.user.name
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
||||||
msgid "Document created by <0>{0}</0>"
|
msgid "Document created by <0>{0}</0>"
|
||||||
@ -2313,6 +2394,7 @@ msgid "Document Creation"
|
|||||||
msgstr "Création de document"
|
msgstr "Création de document"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
@ -2358,6 +2440,10 @@ msgstr "ID du document"
|
|||||||
msgid "Document inbox"
|
msgid "Document inbox"
|
||||||
msgstr "Boîte de réception des documents"
|
msgstr "Boîte de réception des documents"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Document is already uploaded"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
msgid "Document Limit Exceeded!"
|
msgid "Document Limit Exceeded!"
|
||||||
msgstr "Limite de documents dépassée !"
|
msgstr "Limite de documents dépassée !"
|
||||||
@ -2412,6 +2498,11 @@ msgstr "Document Rejeté"
|
|||||||
msgid "Document resealed"
|
msgid "Document resealed"
|
||||||
msgstr "Document resealé"
|
msgstr "Document resealé"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "Document restored"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "Document sent"
|
msgid "Document sent"
|
||||||
@ -2539,10 +2630,18 @@ msgstr "Documents brouillon"
|
|||||||
msgid "Drag & drop your PDF here."
|
msgid "Drag & drop your PDF here."
|
||||||
msgstr "Faites glisser et déposez votre PDF ici."
|
msgstr "Faites glisser et déposez votre PDF ici."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drag and drop or click to upload"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "Draw"
|
msgid "Draw"
|
||||||
msgstr "Dessiner"
|
msgstr "Dessiner"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drop your document here"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Dropdown"
|
msgid "Dropdown"
|
||||||
@ -2607,6 +2706,9 @@ msgstr "Divulgation de signature électronique"
|
|||||||
#: apps/remix/app/components/forms/forgot-password.tsx
|
#: apps/remix/app/components/forms/forgot-password.tsx
|
||||||
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
||||||
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -2700,6 +2802,7 @@ msgstr "Activer la personnalisation de la marque pour tous les documents de cett
|
|||||||
msgid "Enable Direct Link Signing"
|
msgid "Enable Direct Link Signing"
|
||||||
msgstr "Activer la signature de lien direct"
|
msgstr "Activer la signature de lien direct"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Enable signing order"
|
msgid "Enable signing order"
|
||||||
@ -2793,6 +2896,10 @@ msgstr "Entrez votre texte ici"
|
|||||||
msgid "Error"
|
msgid "Error"
|
||||||
msgstr "Erreur"
|
msgstr "Erreur"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Error uploading file"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "Everyone can access and view the document"
|
msgid "Everyone can access and view the document"
|
||||||
msgstr "Tout le monde peut accéder et voir le document"
|
msgstr "Tout le monde peut accéder et voir le document"
|
||||||
@ -2888,6 +2995,7 @@ msgid "Fields"
|
|||||||
msgstr "Champs"
|
msgstr "Champs"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
||||||
msgstr "Le fichier ne peut pas dépasser {APP_DOCUMENT_UPLOAD_SIZE_LIMIT} Mo"
|
msgstr "Le fichier ne peut pas dépasser {APP_DOCUMENT_UPLOAD_SIZE_LIMIT} Mo"
|
||||||
|
|
||||||
@ -2941,6 +3049,7 @@ msgstr "Nom complet"
|
|||||||
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
msgid "General"
|
msgid "General"
|
||||||
msgstr "Général"
|
msgstr "Général"
|
||||||
|
|
||||||
@ -3142,7 +3251,7 @@ msgstr "Code invalide. Veuillez réessayer."
|
|||||||
msgid "Invalid email"
|
msgid "Invalid email"
|
||||||
msgstr "Email invalide"
|
msgstr "Email invalide"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
msgid "Invalid link"
|
msgid "Invalid link"
|
||||||
msgstr "Lien invalide"
|
msgstr "Lien invalide"
|
||||||
@ -3239,6 +3348,7 @@ msgid "Label"
|
|||||||
msgstr "Étiquette"
|
msgstr "Étiquette"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/menu-switcher.tsx
|
#: apps/remix/app/components/general/menu-switcher.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Language"
|
msgid "Language"
|
||||||
@ -3471,6 +3581,7 @@ msgstr "Membre depuis"
|
|||||||
msgid "Members"
|
msgid "Members"
|
||||||
msgstr "Membres"
|
msgstr "Membres"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Message <0>(Optional)</0>"
|
msgid "Message <0>(Optional)</0>"
|
||||||
@ -3534,6 +3645,8 @@ msgstr "Mes modèles"
|
|||||||
#: apps/remix/app/components/general/claim-account.tsx
|
#: apps/remix/app/components/general/claim-account.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -3622,8 +3735,8 @@ msgstr "Aucune activité récente"
|
|||||||
msgid "No recent documents"
|
msgid "No recent documents"
|
||||||
msgstr "Aucun document récent"
|
msgstr "Aucun document récent"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipient matching this description was found."
|
msgid "No recipient matching this description was found."
|
||||||
msgstr "Aucun destinataire correspondant à cette description n'a été trouvé."
|
msgstr "Aucun destinataire correspondant à cette description n'a été trouvé."
|
||||||
|
|
||||||
@ -3634,8 +3747,8 @@ msgstr "Aucun destinataire correspondant à cette description n'a été trouvé.
|
|||||||
msgid "No recipients"
|
msgid "No recipients"
|
||||||
msgstr "Aucun destinataire"
|
msgstr "Aucun destinataire"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipients with this role"
|
msgid "No recipients with this role"
|
||||||
msgstr "Aucun destinataire avec ce rôle"
|
msgstr "Aucun destinataire avec ce rôle"
|
||||||
|
|
||||||
@ -3677,6 +3790,7 @@ msgstr "Aucune valeur trouvée."
|
|||||||
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
||||||
msgstr "Pas de soucis, ça arrive ! Entrez votre email et nous vous enverrons un lien spécial pour réinitialiser votre mot de passe."
|
msgstr "Pas de soucis, ça arrive ! Entrez votre email et nous vous enverrons un lien spécial pour réinitialiser votre mot de passe."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "None"
|
msgid "None"
|
||||||
msgstr "Aucun"
|
msgstr "Aucun"
|
||||||
@ -3685,6 +3799,10 @@ msgstr "Aucun"
|
|||||||
msgid "Not supported"
|
msgid "Not supported"
|
||||||
msgstr "Non pris en charge"
|
msgstr "Non pris en charge"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "Nothing in the trash"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
msgid "Nothing to do"
|
msgid "Nothing to do"
|
||||||
@ -4023,6 +4141,7 @@ msgstr "Veuillez noter que la poursuite supprimera le destinataire de lien direc
|
|||||||
msgid "Please note that this action is <0>irreversible</0>."
|
msgid "Please note that this action is <0>irreversible</0>."
|
||||||
msgstr "Veuillez noter que cette action est <0>irréversible</0>."
|
msgstr "Veuillez noter que cette action est <0>irréversible</0>."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
||||||
msgstr "Veuillez noter que cette action est <0>irréversible</0>. Une fois confirmée, ce document sera définitivement supprimé."
|
msgstr "Veuillez noter que cette action est <0>irréversible</0>. Une fois confirmée, ce document sera définitivement supprimé."
|
||||||
@ -4261,6 +4380,7 @@ msgstr "Destinataire mis à jour"
|
|||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
||||||
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
msgid "Recipients"
|
msgid "Recipients"
|
||||||
msgstr "Destinataires"
|
msgstr "Destinataires"
|
||||||
|
|
||||||
@ -4284,6 +4404,7 @@ msgstr "Codes de récupération"
|
|||||||
msgid "Red"
|
msgid "Red"
|
||||||
msgstr "Rouge"
|
msgstr "Rouge"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Redirect URL"
|
msgid "Redirect URL"
|
||||||
@ -4434,6 +4555,15 @@ msgstr "Résoudre le paiement"
|
|||||||
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
||||||
msgstr "Soyez assuré, votre document eststrictement confidentiel et ne sera jamais partagé. Seule votre expérience de signature sera mise en avant. Partagez votre carte de signature personnalisée pour mettre en valeur votre signature !"
|
msgstr "Soyez assuré, votre document eststrictement confidentiel et ne sera jamais partagé. Seule votre expérience de signature sera mise en avant. Partagez votre carte de signature personnalisée pour mettre en valeur votre signature !"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-action-dropdown.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "Retention of Documents"
|
msgid "Retention of Documents"
|
||||||
msgstr "Conservation des documents"
|
msgstr "Conservation des documents"
|
||||||
@ -4442,7 +4572,7 @@ msgstr "Conservation des documents"
|
|||||||
msgid "Retry"
|
msgid "Retry"
|
||||||
msgstr "Réessayer"
|
msgstr "Réessayer"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
||||||
@ -4473,6 +4603,7 @@ msgstr "Révoquer l'accès"
|
|||||||
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
||||||
@ -4490,6 +4621,8 @@ msgstr "Lignes par page"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
||||||
msgid "Save"
|
msgid "Save"
|
||||||
@ -4665,6 +4798,14 @@ msgstr "Envoyé"
|
|||||||
msgid "Set a password"
|
msgid "Set a password"
|
||||||
msgstr "Définir un mot de passe"
|
msgstr "Définir un mot de passe"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your document properties and recipient information"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your template properties and recipient information"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
||||||
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
||||||
#: apps/remix/app/components/general/app-command-menu.tsx
|
#: apps/remix/app/components/general/app-command-menu.tsx
|
||||||
@ -4964,6 +5105,7 @@ msgstr "Certains signataires n'ont pas été assignés à un champ de signature.
|
|||||||
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
@ -4972,7 +5114,7 @@ msgid "Something went wrong"
|
|||||||
msgstr "Quelque chose a mal tourné"
|
msgstr "Quelque chose a mal tourné"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
||||||
msgstr "Quelque chose a mal tourné lors de la tentative de transfert de la propriété de l'équipe <0>{0}</0> à vous. Veuillez réessayer plus tard ou contacter le support."
|
msgstr "Quelque chose a mal tourné lors de la tentative de transfert de la propriété de l'équipe <0>{0}</0> à vous. Veuillez réessayer plus tard ou contacter le support."
|
||||||
|
|
||||||
@ -5044,6 +5186,7 @@ msgstr "Statut"
|
|||||||
msgid "Step <0>{step} of {maxStep}</0>"
|
msgid "Step <0>{step} of {maxStep}</0>"
|
||||||
msgstr "Étape <0>{step} sur {maxStep}</0>"
|
msgstr "Étape <0>{step} sur {maxStep}</0>"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Subject <0>(Optional)</0>"
|
msgid "Subject <0>(Optional)</0>"
|
||||||
@ -5201,15 +5344,15 @@ msgstr "Équipe uniquement"
|
|||||||
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
||||||
msgstr "Les modèles uniquement pour l'équipe ne sont liés nulle part et ne sont visibles que pour votre équipe."
|
msgstr "Les modèles uniquement pour l'équipe ne sont liés nulle part et ne sont visibles que pour votre équipe."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer"
|
msgid "Team ownership transfer"
|
||||||
msgstr "Transfert de propriété d'équipe"
|
msgstr "Transfert de propriété d'équipe"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer already completed!"
|
msgid "Team ownership transfer already completed!"
|
||||||
msgstr "Le transfert de propriété de l'équipe a déjà été effectué !"
|
msgstr "Le transfert de propriété de l'équipe a déjà été effectué !"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transferred!"
|
msgid "Team ownership transferred!"
|
||||||
msgstr "Propriété de l'équipe transférée !"
|
msgstr "Propriété de l'équipe transférée !"
|
||||||
|
|
||||||
@ -5268,6 +5411,10 @@ msgstr "Équipes restreintes"
|
|||||||
msgid "Template"
|
msgid "Template"
|
||||||
msgstr "Modèle"
|
msgstr "Modèle"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Template Created"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Template deleted"
|
msgid "Template deleted"
|
||||||
msgstr "Modèle supprimé"
|
msgstr "Modèle supprimé"
|
||||||
@ -5383,6 +5530,10 @@ msgstr "Le lien direct a été copié dans votre presse-papiers"
|
|||||||
msgid "The document has been successfully moved to the selected team."
|
msgid "The document has been successfully moved to the selected team."
|
||||||
msgstr "Le document a été déplacé avec succès vers l'équipe sélectionnée."
|
msgstr "Le document a été déplacé avec succès vers l'équipe sélectionnée."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "The document is already saved and cannot be changed."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
||||||
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
||||||
msgstr "Le document est maintenant complet, veuillez suivre toutes les instructions fournies dans l'application parente."
|
msgstr "Le document est maintenant complet, veuillez suivre toutes les instructions fournies dans l'application parente."
|
||||||
@ -5408,6 +5559,14 @@ msgstr "Le document sera caché de votre compte"
|
|||||||
msgid "The document will be immediately sent to recipients if this is checked."
|
msgid "The document will be immediately sent to recipients if this is checked."
|
||||||
msgstr "Le document sera immédiatement envoyé aux destinataires si cela est coché."
|
msgstr "Le document sera immédiatement envoyé aux destinataires si cela est coché."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be restored to your account and will be available in your documents list."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be unhidden from your account and will be available in your documents list."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
||||||
msgid "The document's name"
|
msgid "The document's name"
|
||||||
msgstr "Le nom du document"
|
msgstr "Le nom du document"
|
||||||
@ -5434,7 +5593,7 @@ msgid "The following team has been deleted by you"
|
|||||||
msgstr "L'équipe suivante a été supprimée par vous"
|
msgstr "L'équipe suivante a été supprimée par vous"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
||||||
msgstr "La propriété de l'équipe <0>{0}</0> a été transférée avec succès à vous."
|
msgstr "La propriété de l'équipe <0>{0}</0> a été transférée avec succès à vous."
|
||||||
|
|
||||||
@ -5531,7 +5690,8 @@ msgid "The team transfer request to <0>{0}</0> has expired."
|
|||||||
msgstr "La demande de transfert d'équipe à <0>{0}</0> a expiré."
|
msgstr "La demande de transfert d'équipe à <0>{0}</0> a expiré."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/t.$teamUrl+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/t.$teamUrl+/_layout.tsx
|
||||||
msgid "The team you are looking for may have been removed, renamed or may have never\n"
|
msgid ""
|
||||||
|
"The team you are looking for may have been removed, renamed or may have never\n"
|
||||||
" existed."
|
" existed."
|
||||||
msgstr "L'équipe que vous cherchez a peut-être été supprimée, renommée ou n'a peut-être jamais existé."
|
msgstr "L'équipe que vous cherchez a peut-être été supprimée, renommée ou n'a peut-être jamais existé."
|
||||||
|
|
||||||
@ -5590,6 +5750,14 @@ msgstr "Il n'y a pas de brouillons actifs pour le moment. Vous pouvez importer u
|
|||||||
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
||||||
msgstr "Il n'y a pas encore de documents complétés. Les documents que vous avez créés ou reçus apparaîtront ici une fois complétés."
|
msgstr "Il n'y a pas encore de documents complétés. Les documents que vous avez créés ou reçus apparaîtront ici une fois complétés."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "There are no documents in the trash."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "There was an error uploading your file. Please try again."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
msgid "They have permission on your behalf to:"
|
msgid "They have permission on your behalf to:"
|
||||||
msgstr "Ils ont la permission en votre nom de:"
|
msgstr "Ils ont la permission en votre nom de:"
|
||||||
@ -5620,6 +5788,10 @@ msgstr "Cela peut être remplacé par le paramétrage direct des exigences d'aut
|
|||||||
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
||||||
msgstr "Ce document ne peut pas être récupéré, si vous souhaitez contester la raison des documents futurs, veuillez contacter le support."
|
msgstr "Ce document ne peut pas être récupéré, si vous souhaitez contester la raison des documents futurs, veuillez contacter le support."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "This document cannot be changed"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "This document could not be deleted at this time. Please try again."
|
msgid "This document could not be deleted at this time. Please try again."
|
||||||
msgstr "Ce document n'a pas pu être supprimé pour le moment. Veuillez réessayer."
|
msgstr "Ce document n'a pas pu être supprimé pour le moment. Veuillez réessayer."
|
||||||
@ -5632,7 +5804,11 @@ msgstr "Ce document n'a pas pu être dupliqué pour le moment. Veuillez réessay
|
|||||||
msgid "This document could not be re-sent at this time. Please try again."
|
msgid "This document could not be re-sent at this time. Please try again."
|
||||||
msgstr "Ce document n'a pas pu être renvoyé pour le moment. Veuillez réessayer."
|
msgstr "Ce document n'a pas pu être renvoyé pour le moment. Veuillez réessayer."
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "This document could not be restored at this time. Please try again."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
||||||
msgstr "Ce document a déjà été envoyé à ce destinataire. Vous ne pouvez plus modifier ce destinataire."
|
msgstr "Ce document a déjà été envoyé à ce destinataire. Vous ne pouvez plus modifier ce destinataire."
|
||||||
|
|
||||||
@ -5700,7 +5876,7 @@ msgstr "Ce champ ne peut pas être modifié ou supprimé. Lorsque vous partagez
|
|||||||
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
||||||
msgstr "Voici comment le document atteindra les destinataires une fois qu'il sera prêt à être signé."
|
msgstr "Voici comment le document atteindra les destinataires une fois qu'il sera prêt à être signé."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
||||||
msgstr "Ce lien est invalide ou a expiré. Veuillez contacter votre équipe pour renvoyer une demande de transfert."
|
msgstr "Ce lien est invalide ou a expiré. Veuillez contacter votre équipe pour renvoyer une demande de transfert."
|
||||||
|
|
||||||
@ -5783,6 +5959,7 @@ msgid "Time zone"
|
|||||||
msgstr "Fuseau horaire"
|
msgstr "Fuseau horaire"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Time Zone"
|
msgid "Time Zone"
|
||||||
@ -5792,6 +5969,7 @@ msgstr "Fuseau horaire"
|
|||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table.tsx
|
#: apps/remix/app/components/tables/documents-table.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Title"
|
msgid "Title"
|
||||||
msgstr "Titre"
|
msgstr "Titre"
|
||||||
@ -6189,6 +6367,10 @@ msgstr "Importer le CSV"
|
|||||||
msgid "Upload custom document"
|
msgid "Upload custom document"
|
||||||
msgstr "Importer un document personnalisé"
|
msgstr "Importer un document personnalisé"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Upload Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
||||||
msgid "Upload Signature"
|
msgid "Upload Signature"
|
||||||
msgstr "Importer une signature"
|
msgstr "Importer une signature"
|
||||||
@ -6730,6 +6912,7 @@ msgstr "Bienvenue sur Documenso !"
|
|||||||
msgid "Were you trying to edit this document instead?"
|
msgid "Were you trying to edit this document instead?"
|
||||||
msgstr "Essayiez-vous d'éditer ce document à la place ?"
|
msgstr "Essayiez-vous d'éditer ce document à la place ?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
||||||
@ -6798,6 +6981,10 @@ msgstr "Vous êtes sur le point de quitter l'équipe suivante."
|
|||||||
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
||||||
msgstr "Vous êtes sur le point de supprimer l'utilisateur suivant de <0>{teamName}</0>."
|
msgstr "Vous êtes sur le point de supprimer l'utilisateur suivant de <0>{teamName}</0>."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to restore <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: teamEmail.team.name
|
#. placeholder {0}: teamEmail.team.name
|
||||||
#. placeholder {1}: teamEmail.team.url
|
#. placeholder {1}: teamEmail.team.url
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
@ -6808,6 +6995,10 @@ msgstr "Vous êtes sur le point de révoquer l'accès de l'équipe <0>{0}</0> ({
|
|||||||
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
||||||
msgstr "Vous êtes sur le point d'envoyer ce document aux destinataires. Êtes-vous sûr de vouloir continuer ?"
|
msgstr "Vous êtes sur le point d'envoyer ce document aux destinataires. Êtes-vous sûr de vouloir continuer ?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to unhide <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
||||||
msgid "You are currently on the <0>Free Plan</0>."
|
msgid "You are currently on the <0>Free Plan</0>."
|
||||||
msgstr "Vous êtes actuellement sur l'<0>Abonnement Gratuit</0>."
|
msgstr "Vous êtes actuellement sur l'<0>Abonnement Gratuit</0>."
|
||||||
@ -6915,7 +7106,7 @@ msgid "You have accepted an invitation from <0>{0}</0> to join their team."
|
|||||||
msgstr "Vous avez accepté une invitation de <0>{0}</0> pour rejoindre leur équipe."
|
msgstr "Vous avez accepté une invitation de <0>{0}</0> pour rejoindre leur équipe."
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
||||||
msgstr "Vous avez déjà terminé le transfert de propriété pour <0>{0}</0>."
|
msgstr "Vous avez déjà terminé le transfert de propriété pour <0>{0}</0>."
|
||||||
|
|
||||||
@ -7117,6 +7308,7 @@ msgid "Your direct signing templates"
|
|||||||
msgstr "Vos modèles de signature directe"
|
msgstr "Vos modèles de signature directe"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "Your document failed to upload."
|
msgid "Your document failed to upload."
|
||||||
msgstr "L'importation de votre document a échoué."
|
msgstr "L'importation de votre document a échoué."
|
||||||
|
|
||||||
@ -7124,6 +7316,10 @@ msgstr "L'importation de votre document a échoué."
|
|||||||
msgid "Your document has been created from the template successfully."
|
msgid "Your document has been created from the template successfully."
|
||||||
msgstr "Votre document a été créé à partir du modèle avec succès."
|
msgstr "Votre document a été créé à partir du modèle avec succès."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your document has been created successfully"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/email/template-components/template-document-super-delete.tsx
|
#: packages/email/template-components/template-document-super-delete.tsx
|
||||||
msgid "Your document has been deleted by an admin!"
|
msgid "Your document has been deleted by an admin!"
|
||||||
msgstr "Votre document a été supprimé par un administrateur !"
|
msgstr "Votre document a été supprimé par un administrateur !"
|
||||||
@ -7234,6 +7430,10 @@ msgstr "Votre équipe a été supprimée avec succès."
|
|||||||
msgid "Your team has been successfully updated."
|
msgid "Your team has been successfully updated."
|
||||||
msgstr "Votre équipe a été mise à jour avec succès."
|
msgstr "Votre équipe a été mise à jour avec succès."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your template has been created successfully"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
||||||
msgid "Your template has been duplicated successfully."
|
msgid "Your template has been duplicated successfully."
|
||||||
msgstr "Votre modèle a été dupliqué avec succès."
|
msgstr "Votre modèle a été dupliqué avec succès."
|
||||||
@ -7261,4 +7461,3 @@ msgstr "Votre token a été créé avec succès ! Assurez-vous de le copier car
|
|||||||
#: apps/remix/app/routes/_authenticated+/settings+/tokens.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/tokens.tsx
|
||||||
msgid "Your tokens will be shown here once you create them."
|
msgid "Your tokens will be shown here once you create them."
|
||||||
msgstr "Vos tokens seront affichés ici une fois que vous les aurez créés."
|
msgstr "Vos tokens seront affichés ici une fois que vous les aurez créés."
|
||||||
|
|
||||||
|
|||||||
@ -26,6 +26,10 @@ msgstr " Abilita la firma tramite link diretto"
|
|||||||
msgid " The events that will trigger a webhook to be sent to your URL."
|
msgid " The events that will trigger a webhook to be sent to your URL."
|
||||||
msgstr " Gli eventi che attiveranno un webhook da inviare al tuo URL."
|
msgstr " Gli eventi che attiveranno un webhook da inviare al tuo URL."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid ".PDF documents accepted (max {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB)"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -53,6 +57,10 @@ msgstr "“{documentName}” è stato firmato da tutti i firmatari"
|
|||||||
msgid "\"{documentTitle}\" has been successfully deleted"
|
msgid "\"{documentTitle}\" has been successfully deleted"
|
||||||
msgstr "\"{documentTitle}\" è stato eliminato con successo"
|
msgstr "\"{documentTitle}\" è stato eliminato con successo"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "\"{documentTitle}\" has been successfully restored"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -270,6 +278,10 @@ msgstr "{prefix} ha rimosso un destinatario"
|
|||||||
msgid "{prefix} resent an email to {0}"
|
msgid "{prefix} resent an email to {0}"
|
||||||
msgstr "{prefix} ha rinviato un'email a {0}"
|
msgstr "{prefix} ha rinviato un'email a {0}"
|
||||||
|
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "{prefix} restored the document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: data.recipientEmail
|
#. placeholder {0}: data.recipientEmail
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "{prefix} sent an email to {0}"
|
msgid "{prefix} sent an email to {0}"
|
||||||
@ -727,6 +739,7 @@ msgstr "Aggiungi"
|
|||||||
msgid "Add a document"
|
msgid "Add a document"
|
||||||
msgstr "Aggiungi un documento"
|
msgstr "Aggiungi un documento"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Add a URL to redirect the user to once the document is signed"
|
msgid "Add a URL to redirect the user to once the document is signed"
|
||||||
@ -800,6 +813,7 @@ msgstr "Aggiungi un destinatario segnaposto"
|
|||||||
msgid "Add Placeholders"
|
msgid "Add Placeholders"
|
||||||
msgstr "Aggiungi segnaposto"
|
msgstr "Aggiungi segnaposto"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Add Signer"
|
msgid "Add Signer"
|
||||||
msgstr "Aggiungi un firmatario"
|
msgstr "Aggiungi un firmatario"
|
||||||
@ -808,6 +822,10 @@ msgstr "Aggiungi un firmatario"
|
|||||||
msgid "Add Signers"
|
msgid "Add Signers"
|
||||||
msgstr "Aggiungi firmatari"
|
msgstr "Aggiungi firmatari"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
msgid "Add signers and configure signing preferences"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
||||||
msgid "Add team email"
|
msgid "Add team email"
|
||||||
msgstr "Aggiungi email del team"
|
msgstr "Aggiungi email del team"
|
||||||
@ -853,11 +871,16 @@ msgstr "Pannello admin"
|
|||||||
msgid "Advanced Options"
|
msgid "Advanced Options"
|
||||||
msgstr "Opzioni avanzate"
|
msgstr "Opzioni avanzate"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Advanced settings"
|
msgid "Advanced settings"
|
||||||
msgstr "Impostazioni avanzate"
|
msgstr "Impostazioni avanzate"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Advanced Settings"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
||||||
msgstr "Dopo aver firmato un documento elettronicamente, avrai la possibilità di visualizzare, scaricare e stampare il documento per i tuoi archivi. È altamente consigliato conservare una copia di tutti i documenti firmati elettronicamente per i tuoi archivi personali. Noi conserveremo anche una copia del documento firmato per i nostri archivi, tuttavia potremmo non essere in grado di fornirti una copia del documento firmato dopo un certo periodo di tempo."
|
msgstr "Dopo aver firmato un documento elettronicamente, avrai la possibilità di visualizzare, scaricare e stampare il documento per i tuoi archivi. È altamente consigliato conservare una copia di tutti i documenti firmati elettronicamente per i tuoi archivi personali. Noi conserveremo anche una copia del documento firmato per i nostri archivi, tuttavia potremmo non essere in grado di fornirti una copia del documento firmato dopo un certo periodo di tempo."
|
||||||
@ -910,11 +933,13 @@ msgstr "Tutto il tempo"
|
|||||||
msgid "Allow document recipients to reply directly to this email address"
|
msgid "Allow document recipients to reply directly to this email address"
|
||||||
msgstr "Consenti ai destinatari del documento di rispondere direttamente a questo indirizzo email"
|
msgstr "Consenti ai destinatari del documento di rispondere direttamente a questo indirizzo email"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Allow signers to dictate next signer"
|
msgid "Allow signers to dictate next signer"
|
||||||
msgstr "Permetti ai firmatari di scegliere il prossimo firmatario"
|
msgstr "Permetti ai firmatari di scegliere il prossimo firmatario"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Allowed Signature Types"
|
msgid "Allowed Signature Types"
|
||||||
@ -1297,6 +1322,8 @@ msgstr "In attesa della conferma email"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
msgid "Back"
|
msgid "Back"
|
||||||
msgstr "Indietro"
|
msgstr "Indietro"
|
||||||
|
|
||||||
@ -1465,6 +1492,7 @@ msgstr "Può preparare"
|
|||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
@ -1480,6 +1508,10 @@ msgstr "Annulla"
|
|||||||
msgid "Cancelled by user"
|
msgid "Cancelled by user"
|
||||||
msgstr "Annullato dall'utente"
|
msgstr "Annullato dall'utente"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Cannot remove document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Cannot remove signer"
|
msgid "Cannot remove signer"
|
||||||
msgstr "Impossibile rimuovere il firmatario"
|
msgstr "Impossibile rimuovere il firmatario"
|
||||||
@ -1533,6 +1565,10 @@ msgstr "Scegli Destinatario Link Diretto"
|
|||||||
msgid "Choose how the document will reach recipients"
|
msgid "Choose how the document will reach recipients"
|
||||||
msgstr "Scegli come il documento verrà inviato ai destinatari"
|
msgstr "Scegli come il documento verrà inviato ai destinatari"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Choose how to distribute your document to recipients. Email will send notifications, None will generate signing links for manual distribution."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/token.tsx
|
#: apps/remix/app/components/forms/token.tsx
|
||||||
msgid "Choose..."
|
msgid "Choose..."
|
||||||
msgstr "Scegli..."
|
msgstr "Scegli..."
|
||||||
@ -1602,6 +1638,10 @@ msgstr "Clicca per inserire il campo"
|
|||||||
msgid "Close"
|
msgid "Close"
|
||||||
msgstr "Chiudi"
|
msgstr "Chiudi"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Communication"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
@ -1658,10 +1698,29 @@ msgstr "Documenti Completati"
|
|||||||
msgid "Completed Documents"
|
msgid "Completed Documents"
|
||||||
msgstr "Documenti Completati"
|
msgstr "Documenti Completati"
|
||||||
|
|
||||||
|
#. placeholder {0}: parseMessageDescriptor(_, FRIENDLY_FIELD_TYPE[currentField.type])
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
|
msgid "Configure {0} Field"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Configure additional options and preferences"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/lib/constants/template.ts
|
#: packages/lib/constants/template.ts
|
||||||
msgid "Configure Direct Recipient"
|
msgid "Configure Direct Recipient"
|
||||||
msgstr "Configura destinatario diretto"
|
msgstr "Configura destinatario diretto"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure Fields"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
msgid "Configure general settings for the document."
|
msgid "Configure general settings for the document."
|
||||||
msgstr "Configura le impostazioni generali per il documento."
|
msgstr "Configura le impostazioni generali per il documento."
|
||||||
@ -1674,12 +1733,22 @@ msgstr "Configura le impostazioni generali per il modello."
|
|||||||
msgid "Configure template"
|
msgid "Configure template"
|
||||||
msgstr "Configura il modello"
|
msgstr "Configura il modello"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Template"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Configure the {0} field"
|
msgid "Configure the {0} field"
|
||||||
msgstr "Configura il campo {0}"
|
msgstr "Configura il campo {0}"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure the fields you want to place on the document."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
msgid "Confirm"
|
msgid "Confirm"
|
||||||
@ -1724,12 +1793,13 @@ msgid "Content"
|
|||||||
msgstr "Contenuto"
|
msgstr "Contenuto"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
||||||
@ -1993,6 +2063,7 @@ msgstr "Data"
|
|||||||
msgid "Date created"
|
msgid "Date created"
|
||||||
msgstr "Data di creazione"
|
msgstr "Data di creazione"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Date Format"
|
msgid "Date Format"
|
||||||
@ -2104,6 +2175,8 @@ msgstr "Elimina il tuo account e tutti i suoi contenuti, inclusi i documenti com
|
|||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-page-view-information.tsx
|
||||||
msgid "Deleted"
|
msgid "Deleted"
|
||||||
msgstr "Eliminato"
|
msgstr "Eliminato"
|
||||||
|
|
||||||
@ -2217,6 +2290,10 @@ msgstr "Mostra il tuo nome e email nei documenti"
|
|||||||
msgid "Distribute Document"
|
msgid "Distribute Document"
|
||||||
msgstr "Distribuire il documento"
|
msgstr "Distribuire il documento"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Distribution Method"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Do you want to delete this template?"
|
msgid "Do you want to delete this template?"
|
||||||
msgstr "Vuoi eliminare questo modello?"
|
msgstr "Vuoi eliminare questo modello?"
|
||||||
@ -2294,6 +2371,10 @@ msgstr "Documento completato!"
|
|||||||
msgid "Document created"
|
msgid "Document created"
|
||||||
msgstr "Documento creato"
|
msgstr "Documento creato"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Document Created"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: document.user.name
|
#. placeholder {0}: document.user.name
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
||||||
msgid "Document created by <0>{0}</0>"
|
msgid "Document created by <0>{0}</0>"
|
||||||
@ -2313,6 +2394,7 @@ msgid "Document Creation"
|
|||||||
msgstr "Creazione del documento"
|
msgstr "Creazione del documento"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
@ -2358,6 +2440,10 @@ msgstr "ID del documento"
|
|||||||
msgid "Document inbox"
|
msgid "Document inbox"
|
||||||
msgstr "Posta in arrivo del documento"
|
msgstr "Posta in arrivo del documento"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Document is already uploaded"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
msgid "Document Limit Exceeded!"
|
msgid "Document Limit Exceeded!"
|
||||||
msgstr "Limite di documenti superato!"
|
msgstr "Limite di documenti superato!"
|
||||||
@ -2412,6 +2498,11 @@ msgstr "Documento Rifiutato"
|
|||||||
msgid "Document resealed"
|
msgid "Document resealed"
|
||||||
msgstr "Documento risigillato"
|
msgstr "Documento risigillato"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "Document restored"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "Document sent"
|
msgid "Document sent"
|
||||||
@ -2539,10 +2630,18 @@ msgstr "Documenti redatti"
|
|||||||
msgid "Drag & drop your PDF here."
|
msgid "Drag & drop your PDF here."
|
||||||
msgstr "Trascina e rilascia il tuo PDF qui."
|
msgstr "Trascina e rilascia il tuo PDF qui."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drag and drop or click to upload"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "Draw"
|
msgid "Draw"
|
||||||
msgstr "Disegno"
|
msgstr "Disegno"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drop your document here"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Dropdown"
|
msgid "Dropdown"
|
||||||
@ -2607,6 +2706,9 @@ msgstr "Divulgazione della firma elettronica"
|
|||||||
#: apps/remix/app/components/forms/forgot-password.tsx
|
#: apps/remix/app/components/forms/forgot-password.tsx
|
||||||
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
||||||
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -2700,6 +2802,7 @@ msgstr "Abilita il branding personalizzato per tutti i documenti in questo team.
|
|||||||
msgid "Enable Direct Link Signing"
|
msgid "Enable Direct Link Signing"
|
||||||
msgstr "Abilita la firma di link diretto"
|
msgstr "Abilita la firma di link diretto"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Enable signing order"
|
msgid "Enable signing order"
|
||||||
@ -2793,6 +2896,10 @@ msgstr "Inserisci il tuo testo qui"
|
|||||||
msgid "Error"
|
msgid "Error"
|
||||||
msgstr "Errore"
|
msgstr "Errore"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Error uploading file"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "Everyone can access and view the document"
|
msgid "Everyone can access and view the document"
|
||||||
msgstr "Tutti possono accedere e visualizzare il documento"
|
msgstr "Tutti possono accedere e visualizzare il documento"
|
||||||
@ -2888,6 +2995,7 @@ msgid "Fields"
|
|||||||
msgstr "Campi"
|
msgstr "Campi"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
||||||
msgstr "Il file non può essere più grande di {APP_DOCUMENT_UPLOAD_SIZE_LIMIT} MB"
|
msgstr "Il file non può essere più grande di {APP_DOCUMENT_UPLOAD_SIZE_LIMIT} MB"
|
||||||
|
|
||||||
@ -2941,6 +3049,7 @@ msgstr "Nome completo"
|
|||||||
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
msgid "General"
|
msgid "General"
|
||||||
msgstr "Generale"
|
msgstr "Generale"
|
||||||
|
|
||||||
@ -3142,7 +3251,7 @@ msgstr "Codice non valido. Riprova."
|
|||||||
msgid "Invalid email"
|
msgid "Invalid email"
|
||||||
msgstr "Email non valida"
|
msgstr "Email non valida"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
msgid "Invalid link"
|
msgid "Invalid link"
|
||||||
msgstr "Link non valido"
|
msgstr "Link non valido"
|
||||||
@ -3239,6 +3348,7 @@ msgid "Label"
|
|||||||
msgstr "Etichetta"
|
msgstr "Etichetta"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/menu-switcher.tsx
|
#: apps/remix/app/components/general/menu-switcher.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Language"
|
msgid "Language"
|
||||||
@ -3471,6 +3581,7 @@ msgstr "Membro dal"
|
|||||||
msgid "Members"
|
msgid "Members"
|
||||||
msgstr "Membri"
|
msgstr "Membri"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Message <0>(Optional)</0>"
|
msgid "Message <0>(Optional)</0>"
|
||||||
@ -3534,6 +3645,8 @@ msgstr "I miei modelli"
|
|||||||
#: apps/remix/app/components/general/claim-account.tsx
|
#: apps/remix/app/components/general/claim-account.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -3622,8 +3735,8 @@ msgstr "Nessuna attività recente"
|
|||||||
msgid "No recent documents"
|
msgid "No recent documents"
|
||||||
msgstr "Nessun documento recente"
|
msgstr "Nessun documento recente"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipient matching this description was found."
|
msgid "No recipient matching this description was found."
|
||||||
msgstr "Nessun destinatario corrispondente a questa descrizione è stato trovato."
|
msgstr "Nessun destinatario corrispondente a questa descrizione è stato trovato."
|
||||||
|
|
||||||
@ -3634,8 +3747,8 @@ msgstr "Nessun destinatario corrispondente a questa descrizione è stato trovato
|
|||||||
msgid "No recipients"
|
msgid "No recipients"
|
||||||
msgstr "Nessun destinatario"
|
msgstr "Nessun destinatario"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipients with this role"
|
msgid "No recipients with this role"
|
||||||
msgstr "Nessun destinatario con questo ruolo"
|
msgstr "Nessun destinatario con questo ruolo"
|
||||||
|
|
||||||
@ -3677,6 +3790,7 @@ msgstr "Nessun valore trovato."
|
|||||||
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
||||||
msgstr "Non ti preoccupare, succede! Inserisci la tua email e ti invieremo un link speciale per reimpostare la tua password."
|
msgstr "Non ti preoccupare, succede! Inserisci la tua email e ti invieremo un link speciale per reimpostare la tua password."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "None"
|
msgid "None"
|
||||||
msgstr "Nessuno"
|
msgstr "Nessuno"
|
||||||
@ -3685,6 +3799,10 @@ msgstr "Nessuno"
|
|||||||
msgid "Not supported"
|
msgid "Not supported"
|
||||||
msgstr "Non supportato"
|
msgstr "Non supportato"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "Nothing in the trash"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
msgid "Nothing to do"
|
msgid "Nothing to do"
|
||||||
@ -4023,6 +4141,7 @@ msgstr "Si prega di notare che procedendo si rimuoverà il destinatario del link
|
|||||||
msgid "Please note that this action is <0>irreversible</0>."
|
msgid "Please note that this action is <0>irreversible</0>."
|
||||||
msgstr "Si prega di notare che questa azione è <0>irreversibile</0>."
|
msgstr "Si prega di notare che questa azione è <0>irreversibile</0>."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
||||||
msgstr "Si prega di notare che questa azione è <0>irreversibile</0>. Una volta confermato, questo documento sarà eliminato permanentemente."
|
msgstr "Si prega di notare che questa azione è <0>irreversibile</0>. Una volta confermato, questo documento sarà eliminato permanentemente."
|
||||||
@ -4261,6 +4380,7 @@ msgstr "Destinatario aggiornato"
|
|||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
||||||
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
msgid "Recipients"
|
msgid "Recipients"
|
||||||
msgstr "Destinatari"
|
msgstr "Destinatari"
|
||||||
|
|
||||||
@ -4284,6 +4404,7 @@ msgstr "Codici di recupero"
|
|||||||
msgid "Red"
|
msgid "Red"
|
||||||
msgstr "Rosso"
|
msgstr "Rosso"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Redirect URL"
|
msgid "Redirect URL"
|
||||||
@ -4434,6 +4555,15 @@ msgstr "Risolvere il pagamento"
|
|||||||
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
||||||
msgstr "Stai tranquillo, il tuo documento è strettamente confidenziale e non sarà mai condiviso. Solo la tua esperienza di firma sarà evidenziata. Condividi la tua carta di firma personalizzata per mostrare la tua firma!"
|
msgstr "Stai tranquillo, il tuo documento è strettamente confidenziale e non sarà mai condiviso. Solo la tua esperienza di firma sarà evidenziata. Condividi la tua carta di firma personalizzata per mostrare la tua firma!"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-action-dropdown.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "Retention of Documents"
|
msgid "Retention of Documents"
|
||||||
msgstr "Conservazione dei documenti"
|
msgstr "Conservazione dei documenti"
|
||||||
@ -4442,7 +4572,7 @@ msgstr "Conservazione dei documenti"
|
|||||||
msgid "Retry"
|
msgid "Retry"
|
||||||
msgstr "Riprova"
|
msgstr "Riprova"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
||||||
@ -4473,6 +4603,7 @@ msgstr "Revoca l'accesso"
|
|||||||
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
||||||
@ -4490,6 +4621,8 @@ msgstr "Righe per pagina"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
||||||
msgid "Save"
|
msgid "Save"
|
||||||
@ -4665,6 +4798,14 @@ msgstr "Inviato"
|
|||||||
msgid "Set a password"
|
msgid "Set a password"
|
||||||
msgstr "Imposta una password"
|
msgstr "Imposta una password"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your document properties and recipient information"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your template properties and recipient information"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
||||||
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
||||||
#: apps/remix/app/components/general/app-command-menu.tsx
|
#: apps/remix/app/components/general/app-command-menu.tsx
|
||||||
@ -4964,6 +5105,7 @@ msgstr "Alcuni firmatari non hanno un campo firma assegnato. Assegna almeno 1 ca
|
|||||||
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
@ -4972,7 +5114,7 @@ msgid "Something went wrong"
|
|||||||
msgstr "Qualcosa è andato storto"
|
msgstr "Qualcosa è andato storto"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
||||||
msgstr "Qualcosa è andato storto durante il tentativo di trasferimento della proprietà del team <0>{0}</0> a te. Riprova più tardi o contatta il supporto."
|
msgstr "Qualcosa è andato storto durante il tentativo di trasferimento della proprietà del team <0>{0}</0> a te. Riprova più tardi o contatta il supporto."
|
||||||
|
|
||||||
@ -5044,6 +5186,7 @@ msgstr "Stato"
|
|||||||
msgid "Step <0>{step} of {maxStep}</0>"
|
msgid "Step <0>{step} of {maxStep}</0>"
|
||||||
msgstr "Passo <0>{step} di {maxStep}</0>"
|
msgstr "Passo <0>{step} di {maxStep}</0>"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Subject <0>(Optional)</0>"
|
msgid "Subject <0>(Optional)</0>"
|
||||||
@ -5201,15 +5344,15 @@ msgstr "Solo team"
|
|||||||
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
||||||
msgstr "I modelli solo per il team non sono collegati da nessuna parte e sono visibili solo al tuo team."
|
msgstr "I modelli solo per il team non sono collegati da nessuna parte e sono visibili solo al tuo team."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer"
|
msgid "Team ownership transfer"
|
||||||
msgstr "Trasferimento di proprietà del team"
|
msgstr "Trasferimento di proprietà del team"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer already completed!"
|
msgid "Team ownership transfer already completed!"
|
||||||
msgstr "Trasferimento della proprietà del team già completato!"
|
msgstr "Trasferimento della proprietà del team già completato!"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transferred!"
|
msgid "Team ownership transferred!"
|
||||||
msgstr "Proprietà del team trasferita!"
|
msgstr "Proprietà del team trasferita!"
|
||||||
|
|
||||||
@ -5268,6 +5411,10 @@ msgstr "Team limitati"
|
|||||||
msgid "Template"
|
msgid "Template"
|
||||||
msgstr "Modello"
|
msgstr "Modello"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Template Created"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Template deleted"
|
msgid "Template deleted"
|
||||||
msgstr "Modello eliminato"
|
msgstr "Modello eliminato"
|
||||||
@ -5383,6 +5530,10 @@ msgstr "Il link diretto è stato copiato negli appunti"
|
|||||||
msgid "The document has been successfully moved to the selected team."
|
msgid "The document has been successfully moved to the selected team."
|
||||||
msgstr "Il documento è stato spostato con successo al team selezionato."
|
msgstr "Il documento è stato spostato con successo al team selezionato."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "The document is already saved and cannot be changed."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
||||||
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
||||||
msgstr "Il documento è ora completato, si prega di seguire eventuali istruzioni fornite nell'applicazione principale."
|
msgstr "Il documento è ora completato, si prega di seguire eventuali istruzioni fornite nell'applicazione principale."
|
||||||
@ -5408,6 +5559,14 @@ msgstr "Il documento verrà nascosto dal tuo account"
|
|||||||
msgid "The document will be immediately sent to recipients if this is checked."
|
msgid "The document will be immediately sent to recipients if this is checked."
|
||||||
msgstr "Il documento sarà immediatamente inviato ai destinatari se selezionato."
|
msgstr "Il documento sarà immediatamente inviato ai destinatari se selezionato."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be restored to your account and will be available in your documents list."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be unhidden from your account and will be available in your documents list."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
||||||
msgid "The document's name"
|
msgid "The document's name"
|
||||||
msgstr "Il nome del documento"
|
msgstr "Il nome del documento"
|
||||||
@ -5434,7 +5593,7 @@ msgid "The following team has been deleted by you"
|
|||||||
msgstr "Il seguente team è stato eliminato da te"
|
msgstr "Il seguente team è stato eliminato da te"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
||||||
msgstr "La proprietà del team <0>{0}</0> è stata trasferita con successo a te."
|
msgstr "La proprietà del team <0>{0}</0> è stata trasferita con successo a te."
|
||||||
|
|
||||||
@ -5531,9 +5690,11 @@ msgid "The team transfer request to <0>{0}</0> has expired."
|
|||||||
msgstr "La richiesta di trasferimento del team a <0>{0}</0> è scaduta."
|
msgstr "La richiesta di trasferimento del team a <0>{0}</0> è scaduta."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/t.$teamUrl+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/t.$teamUrl+/_layout.tsx
|
||||||
msgid "The team you are looking for may have been removed, renamed or may have never\n"
|
msgid ""
|
||||||
|
"The team you are looking for may have been removed, renamed or may have never\n"
|
||||||
" existed."
|
" existed."
|
||||||
msgstr "La squadra che stai cercando potrebbe essere stata rimossa, rinominata o potrebbe non essere mai\n"
|
msgstr ""
|
||||||
|
"La squadra che stai cercando potrebbe essere stata rimossa, rinominata o potrebbe non essere mai\n"
|
||||||
" esistita."
|
" esistita."
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-move-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-move-dialog.tsx
|
||||||
@ -5591,6 +5752,14 @@ msgstr "Non ci sono bozze attive al momento attuale. Puoi caricare un documento
|
|||||||
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
||||||
msgstr "Non ci sono ancora documenti completati. I documenti che hai creato o ricevuto appariranno qui una volta completati."
|
msgstr "Non ci sono ancora documenti completati. I documenti che hai creato o ricevuto appariranno qui una volta completati."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "There are no documents in the trash."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "There was an error uploading your file. Please try again."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
msgid "They have permission on your behalf to:"
|
msgid "They have permission on your behalf to:"
|
||||||
msgstr "Hanno il permesso per tuo conto di:"
|
msgstr "Hanno il permesso per tuo conto di:"
|
||||||
@ -5621,6 +5790,10 @@ msgstr "Questo può essere sovrascritto impostando i requisiti di autenticazione
|
|||||||
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
||||||
msgstr "Questo documento non può essere recuperato, se vuoi contestare la ragione per i documenti futuri, contatta il supporto."
|
msgstr "Questo documento non può essere recuperato, se vuoi contestare la ragione per i documenti futuri, contatta il supporto."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "This document cannot be changed"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "This document could not be deleted at this time. Please try again."
|
msgid "This document could not be deleted at this time. Please try again."
|
||||||
msgstr "Questo documento non può essere eliminato in questo momento. Riprova."
|
msgstr "Questo documento non può essere eliminato in questo momento. Riprova."
|
||||||
@ -5633,7 +5806,11 @@ msgstr "Questo documento non può essere duplicato in questo momento. Riprova."
|
|||||||
msgid "This document could not be re-sent at this time. Please try again."
|
msgid "This document could not be re-sent at this time. Please try again."
|
||||||
msgstr "Questo documento non può essere rinviato in questo momento. Riprova."
|
msgstr "Questo documento non può essere rinviato in questo momento. Riprova."
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "This document could not be restored at this time. Please try again."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
||||||
msgstr "Questo documento è già stato inviato a questo destinatario. Non puoi più modificare questo destinatario."
|
msgstr "Questo documento è già stato inviato a questo destinatario. Non puoi più modificare questo destinatario."
|
||||||
|
|
||||||
@ -5701,7 +5878,7 @@ msgstr "Questo campo non può essere modificato o eliminato. Quando condividi il
|
|||||||
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
||||||
msgstr "È così che il documento raggiungerà i destinatari una volta pronto per essere firmato."
|
msgstr "È così che il documento raggiungerà i destinatari una volta pronto per essere firmato."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
||||||
msgstr "Questo link è invalido o è scaduto. Si prega di contattare il tuo team per inviare nuovamente una richiesta di trasferimento."
|
msgstr "Questo link è invalido o è scaduto. Si prega di contattare il tuo team per inviare nuovamente una richiesta di trasferimento."
|
||||||
|
|
||||||
@ -5784,6 +5961,7 @@ msgid "Time zone"
|
|||||||
msgstr "Fuso orario"
|
msgstr "Fuso orario"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Time Zone"
|
msgid "Time Zone"
|
||||||
@ -5793,6 +5971,7 @@ msgstr "Fuso orario"
|
|||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table.tsx
|
#: apps/remix/app/components/tables/documents-table.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Title"
|
msgid "Title"
|
||||||
msgstr "Titolo"
|
msgstr "Titolo"
|
||||||
@ -6190,6 +6369,10 @@ msgstr "Carica CSV"
|
|||||||
msgid "Upload custom document"
|
msgid "Upload custom document"
|
||||||
msgstr "Carica documento personalizzato"
|
msgstr "Carica documento personalizzato"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Upload Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
||||||
msgid "Upload Signature"
|
msgid "Upload Signature"
|
||||||
msgstr "Carica Firma"
|
msgstr "Carica Firma"
|
||||||
@ -6731,6 +6914,7 @@ msgstr "Benvenuto su Documenso!"
|
|||||||
msgid "Were you trying to edit this document instead?"
|
msgid "Were you trying to edit this document instead?"
|
||||||
msgstr "Stavi provando a modificare questo documento invece?"
|
msgstr "Stavi provando a modificare questo documento invece?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
||||||
@ -6799,6 +6983,10 @@ msgstr "Stai per abbandonare il seguente team."
|
|||||||
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
||||||
msgstr "Stai per rimuovere il seguente utente da <0>{teamName}</0>."
|
msgstr "Stai per rimuovere il seguente utente da <0>{teamName}</0>."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to restore <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: teamEmail.team.name
|
#. placeholder {0}: teamEmail.team.name
|
||||||
#. placeholder {1}: teamEmail.team.url
|
#. placeholder {1}: teamEmail.team.url
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
@ -6809,6 +6997,10 @@ msgstr "Stai per revocare l'accesso per il team <0>{0}</0> ({1}) per utilizzare
|
|||||||
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
||||||
msgstr "Stai per inviare questo documento ai destinatari. Sei sicuro di voler continuare?"
|
msgstr "Stai per inviare questo documento ai destinatari. Sei sicuro di voler continuare?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to unhide <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
||||||
msgid "You are currently on the <0>Free Plan</0>."
|
msgid "You are currently on the <0>Free Plan</0>."
|
||||||
msgstr "Attualmente sei sul <0>Piano Gratuito</0>."
|
msgstr "Attualmente sei sul <0>Piano Gratuito</0>."
|
||||||
@ -6916,7 +7108,7 @@ msgid "You have accepted an invitation from <0>{0}</0> to join their team."
|
|||||||
msgstr "Hai accettato un invito da <0>{0}</0> per unirti al loro team."
|
msgstr "Hai accettato un invito da <0>{0}</0> per unirti al loro team."
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
||||||
msgstr "Hai già completato il trasferimento di proprietà per <0>{0}</0>."
|
msgstr "Hai già completato il trasferimento di proprietà per <0>{0}</0>."
|
||||||
|
|
||||||
@ -7118,6 +7310,7 @@ msgid "Your direct signing templates"
|
|||||||
msgstr "I tuoi modelli di firma diretta"
|
msgstr "I tuoi modelli di firma diretta"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "Your document failed to upload."
|
msgid "Your document failed to upload."
|
||||||
msgstr "Il tuo documento non è stato caricato."
|
msgstr "Il tuo documento non è stato caricato."
|
||||||
|
|
||||||
@ -7125,6 +7318,10 @@ msgstr "Il tuo documento non è stato caricato."
|
|||||||
msgid "Your document has been created from the template successfully."
|
msgid "Your document has been created from the template successfully."
|
||||||
msgstr "Il tuo documento è stato creato con successo dal modello."
|
msgstr "Il tuo documento è stato creato con successo dal modello."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your document has been created successfully"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/email/template-components/template-document-super-delete.tsx
|
#: packages/email/template-components/template-document-super-delete.tsx
|
||||||
msgid "Your document has been deleted by an admin!"
|
msgid "Your document has been deleted by an admin!"
|
||||||
msgstr "Il tuo documento è stato eliminato da un amministratore!"
|
msgstr "Il tuo documento è stato eliminato da un amministratore!"
|
||||||
@ -7235,6 +7432,10 @@ msgstr "Il tuo team è stato eliminato correttamente."
|
|||||||
msgid "Your team has been successfully updated."
|
msgid "Your team has been successfully updated."
|
||||||
msgstr "Il tuo team è stato aggiornato correttamente."
|
msgstr "Il tuo team è stato aggiornato correttamente."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your template has been created successfully"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
||||||
msgid "Your template has been duplicated successfully."
|
msgid "Your template has been duplicated successfully."
|
||||||
msgstr "Il tuo modello è stato duplicato correttamente."
|
msgstr "Il tuo modello è stato duplicato correttamente."
|
||||||
@ -7262,4 +7463,3 @@ msgstr "Il tuo token è stato creato con successo! Assicurati di copiarlo perch
|
|||||||
#: apps/remix/app/routes/_authenticated+/settings+/tokens.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/tokens.tsx
|
||||||
msgid "Your tokens will be shown here once you create them."
|
msgid "Your tokens will be shown here once you create them."
|
||||||
msgstr "I tuoi token verranno mostrati qui una volta creati."
|
msgstr "I tuoi token verranno mostrati qui una volta creati."
|
||||||
|
|
||||||
|
|||||||
@ -26,6 +26,10 @@ msgstr " Włącz podpisywanie linku bezpośredniego"
|
|||||||
msgid " The events that will trigger a webhook to be sent to your URL."
|
msgid " The events that will trigger a webhook to be sent to your URL."
|
||||||
msgstr " Zdarzenia, które uruchomią wysłanie webhooka na Twój URL."
|
msgstr " Zdarzenia, które uruchomią wysłanie webhooka na Twój URL."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid ".PDF documents accepted (max {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB)"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -53,6 +57,10 @@ msgstr "Dokument \"{documentName}\" został podpisany przez wszystkich podpisuj
|
|||||||
msgid "\"{documentTitle}\" has been successfully deleted"
|
msgid "\"{documentTitle}\" has been successfully deleted"
|
||||||
msgstr "Dokument \"{documentTitle}\" został usunięty"
|
msgstr "Dokument \"{documentTitle}\" został usunięty"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "\"{documentTitle}\" has been successfully restored"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: team.name
|
#. placeholder {0}: team.name
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
msgid "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"example document\"."
|
||||||
@ -270,6 +278,10 @@ msgstr "Użytkownik {prefix} usunął odbiorcę"
|
|||||||
msgid "{prefix} resent an email to {0}"
|
msgid "{prefix} resent an email to {0}"
|
||||||
msgstr "Użytkownik {prefix} wysłał ponownie wiadomość do {0}"
|
msgstr "Użytkownik {prefix} wysłał ponownie wiadomość do {0}"
|
||||||
|
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "{prefix} restored the document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: data.recipientEmail
|
#. placeholder {0}: data.recipientEmail
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "{prefix} sent an email to {0}"
|
msgid "{prefix} sent an email to {0}"
|
||||||
@ -727,6 +739,7 @@ msgstr "Dodaj"
|
|||||||
msgid "Add a document"
|
msgid "Add a document"
|
||||||
msgstr "Dodaj dokument"
|
msgstr "Dodaj dokument"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Add a URL to redirect the user to once the document is signed"
|
msgid "Add a URL to redirect the user to once the document is signed"
|
||||||
@ -800,6 +813,7 @@ msgstr "Dodaj odbiorcę zastępczego"
|
|||||||
msgid "Add Placeholders"
|
msgid "Add Placeholders"
|
||||||
msgstr "Dodaj znaczniki"
|
msgstr "Dodaj znaczniki"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Add Signer"
|
msgid "Add Signer"
|
||||||
msgstr "Dodaj podpisującego"
|
msgstr "Dodaj podpisującego"
|
||||||
@ -808,6 +822,10 @@ msgstr "Dodaj podpisującego"
|
|||||||
msgid "Add Signers"
|
msgid "Add Signers"
|
||||||
msgstr "Dodaj podpisujących"
|
msgstr "Dodaj podpisujących"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
msgid "Add signers and configure signing preferences"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-add-dialog.tsx
|
||||||
msgid "Add team email"
|
msgid "Add team email"
|
||||||
msgstr "Dodaj e-mail zespołowy"
|
msgstr "Dodaj e-mail zespołowy"
|
||||||
@ -853,11 +871,16 @@ msgstr "Panel administratora"
|
|||||||
msgid "Advanced Options"
|
msgid "Advanced Options"
|
||||||
msgstr "Opcje zaawansowane"
|
msgstr "Opcje zaawansowane"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Advanced settings"
|
msgid "Advanced settings"
|
||||||
msgstr "Ustawienia zaawansowane"
|
msgstr "Ustawienia zaawansowane"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Advanced Settings"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
msgid "After signing a document electronically, you will be provided the opportunity to view, download, and print the document for your records. It is highly recommended that you retain a copy of all electronically signed documents for your personal records. We will also retain a copy of the signed document for our records however we may not be able to provide you with a copy of the signed document after a certain period of time."
|
||||||
msgstr "Po podpisaniu dokumentu elektronicznie, otrzymasz możliwość obejrzenia, pobrania i wydrukowania dokumentu dla swoich zapisów. Zaleca się, abyś zachował kopię wszystkich podpisanych elektronicznie dokumentów dla swoich osobistych zapisów. My również zachowamy kopię podpisanego dokumentu w naszych zapisach, jednak możemy nie być w stanie dostarczyć ci kopii podpisanego dokumentu po pewnym czasie."
|
msgstr "Po podpisaniu dokumentu elektronicznie, otrzymasz możliwość obejrzenia, pobrania i wydrukowania dokumentu dla swoich zapisów. Zaleca się, abyś zachował kopię wszystkich podpisanych elektronicznie dokumentów dla swoich osobistych zapisów. My również zachowamy kopię podpisanego dokumentu w naszych zapisach, jednak możemy nie być w stanie dostarczyć ci kopii podpisanego dokumentu po pewnym czasie."
|
||||||
@ -910,11 +933,13 @@ msgstr "Cały czas"
|
|||||||
msgid "Allow document recipients to reply directly to this email address"
|
msgid "Allow document recipients to reply directly to this email address"
|
||||||
msgstr "Zezwól odbiorcom dokumentów na bezpośrednią odpowiedź na ten adres e-mail"
|
msgstr "Zezwól odbiorcom dokumentów na bezpośrednią odpowiedź na ten adres e-mail"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Allow signers to dictate next signer"
|
msgid "Allow signers to dictate next signer"
|
||||||
msgstr "Pozwól sygnatariuszom wskazać następnego sygnatariusza"
|
msgstr "Pozwól sygnatariuszom wskazać następnego sygnatariusza"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Allowed Signature Types"
|
msgid "Allowed Signature Types"
|
||||||
@ -1297,6 +1322,8 @@ msgstr "Czekam na potwierdzenie e-maila"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-signing-form.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
msgid "Back"
|
msgid "Back"
|
||||||
msgstr "Powrót"
|
msgstr "Powrót"
|
||||||
|
|
||||||
@ -1465,6 +1492,7 @@ msgstr "Może przygotować"
|
|||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-move-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
@ -1480,6 +1508,10 @@ msgstr "Anuluj"
|
|||||||
msgid "Cancelled by user"
|
msgid "Cancelled by user"
|
||||||
msgstr "Anulowano przez użytkownika"
|
msgstr "Anulowano przez użytkownika"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Cannot remove document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Cannot remove signer"
|
msgid "Cannot remove signer"
|
||||||
msgstr "Nie można usunąć sygnatariusza"
|
msgstr "Nie można usunąć sygnatariusza"
|
||||||
@ -1533,6 +1565,10 @@ msgstr "Wybierz odbiorcę bezpośredniego linku"
|
|||||||
msgid "Choose how the document will reach recipients"
|
msgid "Choose how the document will reach recipients"
|
||||||
msgstr "Wybierz, jak dokument dotrze do odbiorców"
|
msgstr "Wybierz, jak dokument dotrze do odbiorców"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Choose how to distribute your document to recipients. Email will send notifications, None will generate signing links for manual distribution."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/token.tsx
|
#: apps/remix/app/components/forms/token.tsx
|
||||||
msgid "Choose..."
|
msgid "Choose..."
|
||||||
msgstr "Wybierz..."
|
msgstr "Wybierz..."
|
||||||
@ -1602,6 +1638,10 @@ msgstr "Kliknij, aby wstawić pole"
|
|||||||
msgid "Close"
|
msgid "Close"
|
||||||
msgstr "Zamknij"
|
msgstr "Zamknij"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Communication"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
#: apps/remix/app/components/forms/signup.tsx
|
#: apps/remix/app/components/forms/signup.tsx
|
||||||
@ -1658,10 +1698,29 @@ msgstr "Dokumenty zakończone"
|
|||||||
msgid "Completed Documents"
|
msgid "Completed Documents"
|
||||||
msgstr "Zakończone dokumenty"
|
msgstr "Zakończone dokumenty"
|
||||||
|
|
||||||
|
#. placeholder {0}: parseMessageDescriptor(_, FRIENDLY_FIELD_TYPE[currentField.type])
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
|
msgid "Configure {0} Field"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Configure additional options and preferences"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/lib/constants/template.ts
|
#: packages/lib/constants/template.ts
|
||||||
msgid "Configure Direct Recipient"
|
msgid "Configure Direct Recipient"
|
||||||
msgstr "Skonfiguruj bezpośredniego odbiorcę"
|
msgstr "Skonfiguruj bezpośredniego odbiorcę"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure Fields"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
msgid "Configure general settings for the document."
|
msgid "Configure general settings for the document."
|
||||||
msgstr "Skonfiguruj ogólne ustawienia dokumentu."
|
msgstr "Skonfiguruj ogólne ustawienia dokumentu."
|
||||||
@ -1674,12 +1733,22 @@ msgstr "Skonfiguruj ogólne ustawienia szablonu."
|
|||||||
msgid "Configure template"
|
msgid "Configure template"
|
||||||
msgstr "Skonfiguruj szablon"
|
msgstr "Skonfiguruj szablon"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Configure Template"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
#. placeholder {0}: parseMessageDescriptor( _, FRIENDLY_FIELD_TYPE[currentField.type], )
|
||||||
|
#: apps/remix/app/components/embed/authoring/field-advanced-settings-drawer.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Configure the {0} field"
|
msgid "Configure the {0} field"
|
||||||
msgstr "Skonfiguruj pole {0}"
|
msgstr "Skonfiguruj pole {0}"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
msgid "Configure the fields you want to place on the document."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
msgid "Confirm"
|
msgid "Confirm"
|
||||||
@ -1724,12 +1793,13 @@ msgid "Content"
|
|||||||
msgstr "Treść"
|
msgstr "Treść"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/verify-email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-form.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
#: apps/remix/app/components/dialogs/public-profile-template-manage-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/passkey-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
#: apps/remix/app/components/dialogs/assistant-confirmation-dialog.tsx
|
||||||
@ -1993,6 +2063,7 @@ msgstr "Data"
|
|||||||
msgid "Date created"
|
msgid "Date created"
|
||||||
msgstr "Data utworzenia"
|
msgstr "Data utworzenia"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Date Format"
|
msgid "Date Format"
|
||||||
@ -2104,6 +2175,8 @@ msgstr "Usuń swoje konto i wszystkie jego treści, w tym zakończone dokumenty.
|
|||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-page-view-information.tsx
|
||||||
msgid "Deleted"
|
msgid "Deleted"
|
||||||
msgstr "Usunięto"
|
msgstr "Usunięto"
|
||||||
|
|
||||||
@ -2217,6 +2290,10 @@ msgstr "Wyświetl swoją nazwę i adres e-mail w dokumentach"
|
|||||||
msgid "Distribute Document"
|
msgid "Distribute Document"
|
||||||
msgstr "Rozprowadź dokument"
|
msgstr "Rozprowadź dokument"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
|
msgid "Distribution Method"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Do you want to delete this template?"
|
msgid "Do you want to delete this template?"
|
||||||
msgstr "Czy chcesz usunąć ten szablon?"
|
msgstr "Czy chcesz usunąć ten szablon?"
|
||||||
@ -2294,6 +2371,10 @@ msgstr "Dokument Zakończony!"
|
|||||||
msgid "Document created"
|
msgid "Document created"
|
||||||
msgstr "Dokument utworzony"
|
msgstr "Dokument utworzony"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Document Created"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: document.user.name
|
#. placeholder {0}: document.user.name
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recent-activity.tsx
|
||||||
msgid "Document created by <0>{0}</0>"
|
msgid "Document created by <0>{0}</0>"
|
||||||
@ -2313,6 +2394,7 @@ msgid "Document Creation"
|
|||||||
msgstr "Tworzenie dokumentu"
|
msgstr "Tworzenie dokumentu"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
#: apps/remix/app/routes/_authenticated+/documents.$id._index.tsx
|
||||||
|
#: apps/remix/app/components/general/document/document-status.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/admin-document-delete-dialog.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
@ -2358,6 +2440,10 @@ msgstr "Identyfikator dokumentu"
|
|||||||
msgid "Document inbox"
|
msgid "Document inbox"
|
||||||
msgstr "Skrzynka odbiorcza dokumentu"
|
msgstr "Skrzynka odbiorcza dokumentu"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Document is already uploaded"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
msgid "Document Limit Exceeded!"
|
msgid "Document Limit Exceeded!"
|
||||||
msgstr "Przekroczono limit dokumentów!"
|
msgstr "Przekroczono limit dokumentów!"
|
||||||
@ -2412,6 +2498,11 @@ msgstr "Dokument odrzucone"
|
|||||||
msgid "Document resealed"
|
msgid "Document resealed"
|
||||||
msgstr "Dokument ponownie zaplombowany"
|
msgstr "Dokument ponownie zaplombowany"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
|
msgid "Document restored"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: packages/lib/utils/document-audit-logs.ts
|
#: packages/lib/utils/document-audit-logs.ts
|
||||||
msgid "Document sent"
|
msgid "Document sent"
|
||||||
@ -2539,10 +2630,18 @@ msgstr "Szkice dokumentów"
|
|||||||
msgid "Drag & drop your PDF here."
|
msgid "Drag & drop your PDF here."
|
||||||
msgstr "Przeciągnij i upuść swój PDF tutaj."
|
msgstr "Przeciągnij i upuść swój PDF tutaj."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drag and drop or click to upload"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "Draw"
|
msgid "Draw"
|
||||||
msgstr "Rysować"
|
msgstr "Rysować"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Drop your document here"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: packages/ui/primitives/document-flow/add-fields.tsx
|
||||||
msgid "Dropdown"
|
msgid "Dropdown"
|
||||||
@ -2607,6 +2706,9 @@ msgstr "Ujawnienie podpisu elektronicznego"
|
|||||||
#: apps/remix/app/components/forms/forgot-password.tsx
|
#: apps/remix/app/components/forms/forgot-password.tsx
|
||||||
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
#: apps/remix/app/components/embed/embed-document-signing-page.tsx
|
||||||
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
#: apps/remix/app/components/embed/embed-direct-template-client-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -2700,6 +2802,7 @@ msgstr "Włącz niestandardowe brandowanie dla wszystkich dokumentów w tym zesp
|
|||||||
msgid "Enable Direct Link Signing"
|
msgid "Enable Direct Link Signing"
|
||||||
msgstr "Włącz podpisywanie linku bezpośredniego"
|
msgstr "Włącz podpisywanie linku bezpośredniego"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "Enable signing order"
|
msgid "Enable signing order"
|
||||||
@ -2793,6 +2896,10 @@ msgstr "Wprowadź swój tekst tutaj"
|
|||||||
msgid "Error"
|
msgid "Error"
|
||||||
msgstr "Błąd"
|
msgstr "Błąd"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Error uploading file"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
#: apps/remix/app/components/forms/team-document-preferences-form.tsx
|
||||||
msgid "Everyone can access and view the document"
|
msgid "Everyone can access and view the document"
|
||||||
msgstr "Każdy może uzyskać dostęp do dokumentu i go wyświetlić"
|
msgstr "Każdy może uzyskać dostęp do dokumentu i go wyświetlić"
|
||||||
@ -2888,6 +2995,7 @@ msgid "Fields"
|
|||||||
msgstr "Pola"
|
msgstr "Pola"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
msgid "File cannot be larger than {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
||||||
msgstr "Plik nie może mieć większej wielkości niż {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
msgstr "Plik nie może mieć większej wielkości niż {APP_DOCUMENT_UPLOAD_SIZE_LIMIT}MB"
|
||||||
|
|
||||||
@ -2941,6 +3049,7 @@ msgstr "Imię i nazwisko"
|
|||||||
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
#: apps/remix/app/components/general/teams/team-settings-nav-desktop.tsx
|
||||||
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
#: apps/remix/app/components/general/document/document-edit-form.tsx
|
||||||
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
#: apps/remix/app/components/general/direct-template/direct-template-page.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
msgid "General"
|
msgid "General"
|
||||||
msgstr "Ogólne"
|
msgstr "Ogólne"
|
||||||
|
|
||||||
@ -3142,7 +3251,7 @@ msgstr "Nieprawidłowy kod. Proszę spróbuj ponownie."
|
|||||||
msgid "Invalid email"
|
msgid "Invalid email"
|
||||||
msgstr "Nieprawidłowy email"
|
msgstr "Nieprawidłowy email"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
msgid "Invalid link"
|
msgid "Invalid link"
|
||||||
msgstr "Nieprawidłowy link"
|
msgstr "Nieprawidłowy link"
|
||||||
@ -3239,6 +3348,7 @@ msgid "Label"
|
|||||||
msgstr "Etykieta"
|
msgstr "Etykieta"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/menu-switcher.tsx
|
#: apps/remix/app/components/general/menu-switcher.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Language"
|
msgid "Language"
|
||||||
@ -3471,6 +3581,7 @@ msgstr "Data dołączenia"
|
|||||||
msgid "Members"
|
msgid "Members"
|
||||||
msgstr "Członkowie"
|
msgstr "Członkowie"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Message <0>(Optional)</0>"
|
msgid "Message <0>(Optional)</0>"
|
||||||
@ -3534,6 +3645,8 @@ msgstr "Moje szablony"
|
|||||||
#: apps/remix/app/components/general/claim-account.tsx
|
#: apps/remix/app/components/general/claim-account.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-name-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-complete-dialog.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-use-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-update-dialog.tsx
|
||||||
@ -3622,8 +3735,8 @@ msgstr "Brak ostatnich aktywności"
|
|||||||
msgid "No recent documents"
|
msgid "No recent documents"
|
||||||
msgstr "Brak ostatnich dokumentów"
|
msgstr "Brak ostatnich dokumentów"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipient matching this description was found."
|
msgid "No recipient matching this description was found."
|
||||||
msgstr "Nie znaleziono odbiorcy pasującego do tego opisu."
|
msgstr "Nie znaleziono odbiorcy pasującego do tego opisu."
|
||||||
|
|
||||||
@ -3634,8 +3747,8 @@ msgstr "Nie znaleziono odbiorcy pasującego do tego opisu."
|
|||||||
msgid "No recipients"
|
msgid "No recipients"
|
||||||
msgstr "Brak odbiorców"
|
msgstr "Brak odbiorców"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
|
||||||
msgid "No recipients with this role"
|
msgid "No recipients with this role"
|
||||||
msgstr "Brak odbiorców z tą rolą"
|
msgstr "Brak odbiorców z tą rolą"
|
||||||
|
|
||||||
@ -3677,6 +3790,7 @@ msgstr "Nie znaleziono wartości."
|
|||||||
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
msgid "No worries, it happens! Enter your email and we'll email you a special link to reset your password."
|
||||||
msgstr "Nie martw się, to się zdarza! Wprowadź swój e-mail, a my wyślemy Ci specjalny link do zresetowania hasła."
|
msgstr "Nie martw się, to się zdarza! Wprowadź swój e-mail, a my wyślemy Ci specjalny link do zresetowania hasła."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/lib/constants/document.ts
|
#: packages/lib/constants/document.ts
|
||||||
msgid "None"
|
msgid "None"
|
||||||
msgstr "Brak"
|
msgstr "Brak"
|
||||||
@ -3685,6 +3799,10 @@ msgstr "Brak"
|
|||||||
msgid "Not supported"
|
msgid "Not supported"
|
||||||
msgstr "Nieobsługiwane"
|
msgstr "Nieobsługiwane"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "Nothing in the trash"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
msgid "Nothing to do"
|
msgid "Nothing to do"
|
||||||
@ -4023,6 +4141,7 @@ msgstr "Proszę zauważyć, że kontynuowanie usunie bezpośrednio łączącego
|
|||||||
msgid "Please note that this action is <0>irreversible</0>."
|
msgid "Please note that this action is <0>irreversible</0>."
|
||||||
msgstr "Proszę zauważyć, że ta czynność jest <0>nieodwracalna</0>."
|
msgstr "Proszę zauważyć, że ta czynność jest <0>nieodwracalna</0>."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
msgid "Please note that this action is <0>irreversible</0>. Once confirmed, this document will be permanently deleted."
|
||||||
msgstr "Proszę pamiętać, że ta czynność jest <0>nieodwracalna</0>. Po potwierdzeniu, ten dokument zostanie trwale usunięty."
|
msgstr "Proszę pamiętać, że ta czynność jest <0>nieodwracalna</0>. Po potwierdzeniu, ten dokument zostanie trwale usunięty."
|
||||||
@ -4261,6 +4380,7 @@ msgstr "Odbiorca zaktualizowany"
|
|||||||
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
#: apps/remix/app/routes/_authenticated+/admin+/documents.$id.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
#: apps/remix/app/components/general/template/template-page-view-recipients.tsx
|
||||||
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
#: apps/remix/app/components/general/document/document-page-view-recipients.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
msgid "Recipients"
|
msgid "Recipients"
|
||||||
msgstr "Odbiorcy"
|
msgstr "Odbiorcy"
|
||||||
|
|
||||||
@ -4284,6 +4404,7 @@ msgstr "Kody odzyskiwania"
|
|||||||
msgid "Red"
|
msgid "Red"
|
||||||
msgstr "Czerwony"
|
msgstr "Czerwony"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Redirect URL"
|
msgid "Redirect URL"
|
||||||
@ -4434,6 +4555,15 @@ msgstr "Rozwiąż płatność"
|
|||||||
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
msgid "Rest assured, your document is strictly confidential and will never be shared. Only your signing experience will be highlighted. Share your personalized signing card to showcase your signature!"
|
||||||
msgstr "Możesz być spokojny, Twój dokument jest ściśle poufny i nigdy nie zostanie udostępniony. Tylko Twoje doświadczenie podpisywania będzie wyróżnione. Podziel się swoją spersonalizowaną kartą podpisu, aby zaprezentować swój podpis!"
|
msgstr "Możesz być spokojny, Twój dokument jest ściśle poufny i nigdy nie zostanie udostępniony. Tylko Twoje doświadczenie podpisywania będzie wyróżnione. Podziel się swoją spersonalizowaną kartą podpisu, aby zaprezentować swój podpis!"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-action-dropdown.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "Restore Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
#: apps/remix/app/routes/_unauthenticated+/articles.signature-disclosure.tsx
|
||||||
msgid "Retention of Documents"
|
msgid "Retention of Documents"
|
||||||
msgstr "Przechowywanie dokumentów"
|
msgstr "Przechowywanie dokumentów"
|
||||||
@ -4442,7 +4572,7 @@ msgstr "Przechowywanie dokumentów"
|
|||||||
msgid "Retry"
|
msgid "Retry"
|
||||||
msgstr "Spróbuj ponownie"
|
msgstr "Spróbuj ponownie"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.email.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.invite.$token.tsx
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.decline.$token.tsx
|
||||||
@ -4473,6 +4603,7 @@ msgstr "Cofnij dostęp"
|
|||||||
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
#: apps/remix/app/components/tables/user-settings-current-teams-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
#: apps/remix/app/components/tables/team-settings-members-table.tsx
|
||||||
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
#: apps/remix/app/components/tables/team-settings-member-invites-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-update-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-member-invite-dialog.tsx
|
||||||
@ -4490,6 +4621,8 @@ msgstr "Wiersze na stronę"
|
|||||||
|
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-text-field.tsx
|
||||||
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
#: apps/remix/app/components/general/document-signing/document-signing-number-field.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-fields-view.tsx
|
||||||
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-direct-link-dialog.tsx
|
||||||
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
#: packages/ui/primitives/document-flow/field-item-advanced-settings.tsx
|
||||||
msgid "Save"
|
msgid "Save"
|
||||||
@ -4665,6 +4798,14 @@ msgstr "Wysłano"
|
|||||||
msgid "Set a password"
|
msgid "Set a password"
|
||||||
msgstr "Ustaw hasło"
|
msgstr "Ustaw hasło"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your document properties and recipient information"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
|
msgid "Set up your template properties and recipient information"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/_layout.tsx
|
||||||
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
#: apps/remix/app/components/general/app-nav-mobile.tsx
|
||||||
#: apps/remix/app/components/general/app-command-menu.tsx
|
#: apps/remix/app/components/general/app-command-menu.tsx
|
||||||
@ -4964,6 +5105,7 @@ msgstr "Niektórzy sygnatariusze nie zostali przypisani do pola podpisu. Przypis
|
|||||||
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-email-delete-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
#: apps/remix/app/components/dialogs/team-checkout-create-dialog.tsx
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-resend-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-duplicate-dialog.tsx
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
@ -4972,7 +5114,7 @@ msgid "Something went wrong"
|
|||||||
msgstr "Coś poszło nie tak"
|
msgstr "Coś poszło nie tak"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
msgid "Something went wrong while attempting to transfer the ownership of team <0>{0}</0> to your. Please try again later or contact support."
|
||||||
msgstr "Coś poszło nie tak podczas próby przeniesienia własności zespołu <0>{0}</0> do Ciebie. Proszę spróbować ponownie później lub skontaktować się z pomocą techniczną."
|
msgstr "Coś poszło nie tak podczas próby przeniesienia własności zespołu <0>{0}</0> do Ciebie. Proszę spróbować ponownie później lub skontaktować się z pomocą techniczną."
|
||||||
|
|
||||||
@ -5044,6 +5186,7 @@ msgstr "Stan"
|
|||||||
msgid "Step <0>{step} of {maxStep}</0>"
|
msgid "Step <0>{step} of {maxStep}</0>"
|
||||||
msgstr "Krok <0>{step} z {maxStep}</0>"
|
msgstr "Krok <0>{step} z {maxStep}</0>"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-subject.tsx
|
#: packages/ui/primitives/document-flow/add-subject.tsx
|
||||||
msgid "Subject <0>(Optional)</0>"
|
msgid "Subject <0>(Optional)</0>"
|
||||||
@ -5201,15 +5344,15 @@ msgstr "Tylko dla zespołu"
|
|||||||
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
msgid "Team only templates are not linked anywhere and are visible only to your team."
|
||||||
msgstr "Szablony tylko dla zespołu nie są nigdzie linkowane i są widoczne tylko dla Twojego zespołu."
|
msgstr "Szablony tylko dla zespołu nie są nigdzie linkowane i są widoczne tylko dla Twojego zespołu."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer"
|
msgid "Team ownership transfer"
|
||||||
msgstr "Przeniesienie własności zespołu"
|
msgstr "Przeniesienie własności zespołu"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transfer already completed!"
|
msgid "Team ownership transfer already completed!"
|
||||||
msgstr "Transfer własności zespołu został już zakończony!"
|
msgstr "Transfer własności zespołu został już zakończony!"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "Team ownership transferred!"
|
msgid "Team ownership transferred!"
|
||||||
msgstr "Własność zespołu przeniesiona!"
|
msgstr "Własność zespołu przeniesiona!"
|
||||||
|
|
||||||
@ -5268,6 +5411,10 @@ msgstr "Zespoły ograniczone"
|
|||||||
msgid "Template"
|
msgid "Template"
|
||||||
msgstr "Szablon"
|
msgstr "Szablon"
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Template Created"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-delete-dialog.tsx
|
||||||
msgid "Template deleted"
|
msgid "Template deleted"
|
||||||
msgstr "Szablon usunięty"
|
msgstr "Szablon usunięty"
|
||||||
@ -5383,6 +5530,10 @@ msgstr "Bezpośredni link został skopiowany do schowka"
|
|||||||
msgid "The document has been successfully moved to the selected team."
|
msgid "The document has been successfully moved to the selected team."
|
||||||
msgstr "Dokument został pomyślnie przeniesiony do wybranego zespołu."
|
msgstr "Dokument został pomyślnie przeniesiony do wybranego zespołu."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "The document is already saved and cannot be changed."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
#: apps/remix/app/components/embed/embed-document-completed.tsx
|
||||||
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
msgid "The document is now completed, please follow any instructions provided within the parent application."
|
||||||
msgstr "Dokument jest teraz zakończony, proszę postępować zgodnie z wszelkimi instrukcjami podanymi w aplikacji nadrzędnej."
|
msgstr "Dokument jest teraz zakończony, proszę postępować zgodnie z wszelkimi instrukcjami podanymi w aplikacji nadrzędnej."
|
||||||
@ -5408,6 +5559,14 @@ msgstr "Dokument zostanie ukryty w Twoim koncie"
|
|||||||
msgid "The document will be immediately sent to recipients if this is checked."
|
msgid "The document will be immediately sent to recipients if this is checked."
|
||||||
msgstr "Dokument zostanie natychmiast wysłany do odbiorców, jeśli to zostanie zaznaczone."
|
msgstr "Dokument zostanie natychmiast wysłany do odbiorców, jeśli to zostanie zaznaczone."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be restored to your account and will be available in your documents list."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "The document will be unhidden from your account and will be available in your documents list."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
#: packages/ui/components/document/document-send-email-message-helper.tsx
|
||||||
msgid "The document's name"
|
msgid "The document's name"
|
||||||
msgstr "Nazwa dokumentu"
|
msgstr "Nazwa dokumentu"
|
||||||
@ -5434,7 +5593,7 @@ msgid "The following team has been deleted by you"
|
|||||||
msgstr "Następujący zespół został usunięty przez Ciebie"
|
msgstr "Następujący zespół został usunięty przez Ciebie"
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
msgid "The ownership of team <0>{0}</0> has been successfully transferred to you."
|
||||||
msgstr "Własność zespołu <0>{0}</0> została pomyślnie przeniesiona na Ciebie."
|
msgstr "Własność zespołu <0>{0}</0> została pomyślnie przeniesiona na Ciebie."
|
||||||
|
|
||||||
@ -5531,7 +5690,8 @@ msgid "The team transfer request to <0>{0}</0> has expired."
|
|||||||
msgstr "Prośba o przeniesienie zespołu do <0>{0}</0> wygasła."
|
msgstr "Prośba o przeniesienie zespołu do <0>{0}</0> wygasła."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/t.$teamUrl+/_layout.tsx
|
#: apps/remix/app/routes/_authenticated+/t.$teamUrl+/_layout.tsx
|
||||||
msgid "The team you are looking for may have been removed, renamed or may have never\n"
|
msgid ""
|
||||||
|
"The team you are looking for may have been removed, renamed or may have never\n"
|
||||||
" existed."
|
" existed."
|
||||||
msgstr "Zespół, którego szukasz, mógł zostać usunięty, zmieniony na, albo nigdy nie istniał."
|
msgstr "Zespół, którego szukasz, mógł zostać usunięty, zmieniony na, albo nigdy nie istniał."
|
||||||
|
|
||||||
@ -5590,6 +5750,14 @@ msgstr "Brak aktywnych szkiców. Prześlij, aby utworzyć."
|
|||||||
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
msgid "There are no completed documents yet. Documents that you have created or received will appear here once completed."
|
||||||
msgstr "Brak zakończonych dokumentów. Utworzone lub odebrane dokumentu pojawią się tutaj, gdy zostaną zakończone."
|
msgstr "Brak zakończonych dokumentów. Utworzone lub odebrane dokumentu pojawią się tutaj, gdy zostaną zakończone."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/tables/documents-table-empty-state.tsx
|
||||||
|
msgid "There are no documents in the trash."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "There was an error uploading your file. Please try again."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
msgid "They have permission on your behalf to:"
|
msgid "They have permission on your behalf to:"
|
||||||
msgstr "Mają pozwolenie w Twoim imieniu na:"
|
msgstr "Mają pozwolenie w Twoim imieniu na:"
|
||||||
@ -5620,6 +5788,10 @@ msgstr "To można nadpisać, ustawiając wymagania dotyczące uwierzytelniania b
|
|||||||
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
msgid "This document can not be recovered, if you would like to dispute the reason for future documents please contact support."
|
||||||
msgstr "Dokument ten nie może być odzyskany. Jeśli chcesz zakwestionować przyczynę przyszłych dokumentów, skontaktuj się z administracją."
|
msgstr "Dokument ten nie może być odzyskany. Jeśli chcesz zakwestionować przyczynę przyszłych dokumentów, skontaktuj się z administracją."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "This document cannot be changed"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
#: apps/remix/app/components/dialogs/document-delete-dialog.tsx
|
||||||
msgid "This document could not be deleted at this time. Please try again."
|
msgid "This document could not be deleted at this time. Please try again."
|
||||||
msgstr "Nie można usunąć tego dokumentu w tej chwili. Proszę spróbować ponownie."
|
msgstr "Nie można usunąć tego dokumentu w tej chwili. Proszę spróbować ponownie."
|
||||||
@ -5632,7 +5804,11 @@ msgstr "Nie można skopiować tego dokumentu w tej chwili. Proszę spróbować p
|
|||||||
msgid "This document could not be re-sent at this time. Please try again."
|
msgid "This document could not be re-sent at this time. Please try again."
|
||||||
msgstr "Nie można ponownie wysłać tego dokumentu w tej chwili. Proszę spróbować ponownie."
|
msgstr "Nie można ponownie wysłać tego dokumentu w tej chwili. Proszę spróbować ponownie."
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/add-fields.tsx
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "This document could not be restored at this time. Please try again."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
|
#: packages/ui/primitives/recipient-selector.tsx
|
||||||
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
msgid "This document has already been sent to this recipient. You can no longer edit this recipient."
|
||||||
msgstr "Ten dokument został już wysłany do tego odbiorcy. Nie można już edytować tego odbiorcy."
|
msgstr "Ten dokument został już wysłany do tego odbiorcy. Nie można już edytować tego odbiorcy."
|
||||||
|
|
||||||
@ -5700,7 +5876,7 @@ msgstr "To pole nie może być modyfikowane ani usuwane. Po udostępnieniu bezpo
|
|||||||
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
msgid "This is how the document will reach the recipients once the document is ready for signing."
|
||||||
msgstr "W ten sposób dokument dotrze do odbiorców, gdy tylko dokument będzie gotowy do podpisania."
|
msgstr "W ten sposób dokument dotrze do odbiorców, gdy tylko dokument będzie gotowy do podpisania."
|
||||||
|
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
msgid "This link is invalid or has expired. Please contact your team to resend a transfer request."
|
||||||
msgstr "Ten link jest nieprawidłowy lub wygasł. Proszę skontaktować się ze swoim zespołem, aby ponownie wysłać prośbę o transfer."
|
msgstr "Ten link jest nieprawidłowy lub wygasł. Proszę skontaktować się ze swoim zespołem, aby ponownie wysłać prośbę o transfer."
|
||||||
|
|
||||||
@ -5783,6 +5959,7 @@ msgid "Time zone"
|
|||||||
msgstr "Strefa czasowa"
|
msgstr "Strefa czasowa"
|
||||||
|
|
||||||
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
#: apps/remix/app/routes/_internal+/[__htmltopdf]+/audit-log.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-advanced-settings.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
#: packages/ui/primitives/template-flow/add-template-settings.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Time Zone"
|
msgid "Time Zone"
|
||||||
@ -5792,6 +5969,7 @@ msgstr "Strefa czasowa"
|
|||||||
#: apps/remix/app/components/tables/templates-table.tsx
|
#: apps/remix/app/components/tables/templates-table.tsx
|
||||||
#: apps/remix/app/components/tables/documents-table.tsx
|
#: apps/remix/app/components/tables/documents-table.tsx
|
||||||
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
#: apps/remix/app/components/general/template/template-page-view-documents-table.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-view.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-settings.tsx
|
#: packages/ui/primitives/document-flow/add-settings.tsx
|
||||||
msgid "Title"
|
msgid "Title"
|
||||||
msgstr "Tytuł"
|
msgstr "Tytuł"
|
||||||
@ -6189,6 +6367,10 @@ msgstr "Prześlij CSV"
|
|||||||
msgid "Upload custom document"
|
msgid "Upload custom document"
|
||||||
msgstr "Prześlij niestandardowy dokument"
|
msgstr "Prześlij niestandardowy dokument"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
|
msgid "Upload Document"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
#: packages/ui/primitives/signature-pad/signature-pad-upload.tsx
|
||||||
msgid "Upload Signature"
|
msgid "Upload Signature"
|
||||||
msgstr "Prześlij podpis"
|
msgstr "Prześlij podpis"
|
||||||
@ -6730,6 +6912,7 @@ msgstr "Witamy w Documenso!"
|
|||||||
msgid "Were you trying to edit this document instead?"
|
msgid "Were you trying to edit this document instead?"
|
||||||
msgstr "Czy próbowałeś raczej edytować ten dokument?"
|
msgstr "Czy próbowałeś raczej edytować ten dokument?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-recipients.tsx
|
||||||
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
#: packages/ui/primitives/template-flow/add-template-placeholder-recipients.tsx
|
||||||
#: packages/ui/primitives/document-flow/add-signers.tsx
|
#: packages/ui/primitives/document-flow/add-signers.tsx
|
||||||
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
msgid "When enabled, signers can choose who should sign next in the sequence instead of following the predefined order."
|
||||||
@ -6798,6 +6981,10 @@ msgstr "Zaraz opuścisz następujący zespół."
|
|||||||
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
msgid "You are about to remove the following user from <0>{teamName}</0>."
|
||||||
msgstr "Zaraz usuniesz następującego użytkownika z <0>{teamName}</0>."
|
msgstr "Zaraz usuniesz następującego użytkownika z <0>{teamName}</0>."
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to restore <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#. placeholder {0}: teamEmail.team.name
|
#. placeholder {0}: teamEmail.team.name
|
||||||
#. placeholder {1}: teamEmail.team.url
|
#. placeholder {1}: teamEmail.team.url
|
||||||
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
#: apps/remix/app/components/general/teams/team-email-usage.tsx
|
||||||
@ -6808,6 +6995,10 @@ msgstr "Zaraz cofniesz dostęp dla zespołu <0>{0}</0> ({1}) do korzystania z tw
|
|||||||
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
msgid "You are about to send this document to the recipients. Are you sure you want to continue?"
|
||||||
msgstr "Zaraz wyślesz ten dokument do odbiorców. Czy na pewno chcesz kontynuować?"
|
msgstr "Zaraz wyślesz ten dokument do odbiorców. Czy na pewno chcesz kontynuować?"
|
||||||
|
|
||||||
|
#: apps/remix/app/components/dialogs/document-restore-dialog.tsx
|
||||||
|
msgid "You are about to unhide <0>\"{documentTitle}\"</0>"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/billing.tsx
|
||||||
msgid "You are currently on the <0>Free Plan</0>."
|
msgid "You are currently on the <0>Free Plan</0>."
|
||||||
msgstr "Obecnie jesteś na <0>Planie darmowym</0>."
|
msgstr "Obecnie jesteś na <0>Planie darmowym</0>."
|
||||||
@ -6915,7 +7106,7 @@ msgid "You have accepted an invitation from <0>{0}</0> to join their team."
|
|||||||
msgstr "Zaakceptowałeś zaproszenie od <0>{0}</0>, aby dołączyć do ich zespołu."
|
msgstr "Zaakceptowałeś zaproszenie od <0>{0}</0>, aby dołączyć do ich zespołu."
|
||||||
|
|
||||||
#. placeholder {0}: data.teamName
|
#. placeholder {0}: data.teamName
|
||||||
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.token.tsx
|
#: apps/remix/app/routes/_unauthenticated+/team.verify.transfer.$token.tsx
|
||||||
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
msgid "You have already completed the ownership transfer for <0>{0}</0>."
|
||||||
msgstr "Już zakończyłeś transfer własności dla <0>{0}</0>."
|
msgstr "Już zakończyłeś transfer własności dla <0>{0}</0>."
|
||||||
|
|
||||||
@ -7117,6 +7308,7 @@ msgid "Your direct signing templates"
|
|||||||
msgstr "Twoje bezpośrednie szablony podpisu"
|
msgstr "Twoje bezpośrednie szablony podpisu"
|
||||||
|
|
||||||
#: apps/remix/app/components/general/document/document-upload.tsx
|
#: apps/remix/app/components/general/document/document-upload.tsx
|
||||||
|
#: apps/remix/app/components/embed/authoring/configure-document-upload.tsx
|
||||||
msgid "Your document failed to upload."
|
msgid "Your document failed to upload."
|
||||||
msgstr "Twój dokument nie udało się załadować."
|
msgstr "Twój dokument nie udało się załadować."
|
||||||
|
|
||||||
@ -7124,6 +7316,10 @@ msgstr "Twój dokument nie udało się załadować."
|
|||||||
msgid "Your document has been created from the template successfully."
|
msgid "Your document has been created from the template successfully."
|
||||||
msgstr "Twój dokument został pomyślnie utworzony na podstawie szablonu."
|
msgstr "Twój dokument został pomyślnie utworzony na podstawie szablonu."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your document has been created successfully"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/email/template-components/template-document-super-delete.tsx
|
#: packages/email/template-components/template-document-super-delete.tsx
|
||||||
msgid "Your document has been deleted by an admin!"
|
msgid "Your document has been deleted by an admin!"
|
||||||
msgstr "Dokument został usunięty przez administratora!"
|
msgstr "Dokument został usunięty przez administratora!"
|
||||||
@ -7234,6 +7430,10 @@ msgstr "Twój zespół został pomyślnie usunięty."
|
|||||||
msgid "Your team has been successfully updated."
|
msgid "Your team has been successfully updated."
|
||||||
msgstr "Twój zespół został pomyślnie zaktualizowany."
|
msgstr "Twój zespół został pomyślnie zaktualizowany."
|
||||||
|
|
||||||
|
#: apps/remix/app/routes/embed+/v1.authoring+/create-completed.tsx
|
||||||
|
msgid "Your template has been created successfully"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
#: apps/remix/app/components/dialogs/template-duplicate-dialog.tsx
|
||||||
msgid "Your template has been duplicated successfully."
|
msgid "Your template has been duplicated successfully."
|
||||||
msgstr "Twój szablon został pomyślnie zduplikowany."
|
msgstr "Twój szablon został pomyślnie zduplikowany."
|
||||||
@ -7261,4 +7461,3 @@ msgstr "Twój token został pomyślnie utworzony! Upewnij się, że go skopiujes
|
|||||||
#: apps/remix/app/routes/_authenticated+/settings+/tokens.tsx
|
#: apps/remix/app/routes/_authenticated+/settings+/tokens.tsx
|
||||||
msgid "Your tokens will be shown here once you create them."
|
msgid "Your tokens will be shown here once you create them."
|
||||||
msgstr "Twoje tokeny będą tutaj wyświetlane po ich utworzeniu."
|
msgstr "Twoje tokeny będą tutaj wyświetlane po ich utworzeniu."
|
||||||
|
|
||||||
|
|||||||
@ -39,6 +39,7 @@ export const ZDocumentAuditLogTypeSchema = z.enum([
|
|||||||
'DOCUMENT_TITLE_UPDATED', // When the document title is updated.
|
'DOCUMENT_TITLE_UPDATED', // When the document title is updated.
|
||||||
'DOCUMENT_EXTERNAL_ID_UPDATED', // When the document external ID is updated.
|
'DOCUMENT_EXTERNAL_ID_UPDATED', // When the document external ID is updated.
|
||||||
'DOCUMENT_MOVED_TO_TEAM', // When the document is moved to a team.
|
'DOCUMENT_MOVED_TO_TEAM', // When the document is moved to a team.
|
||||||
|
'DOCUMENT_RESTORED', // When a deleted document is restored.
|
||||||
]);
|
]);
|
||||||
|
|
||||||
export const ZDocumentAuditLogEmailTypeSchema = z.enum([
|
export const ZDocumentAuditLogEmailTypeSchema = z.enum([
|
||||||
@ -551,6 +552,14 @@ export const ZDocumentAuditLogEventDocumentMovedToTeamSchema = z.object({
|
|||||||
}),
|
}),
|
||||||
});
|
});
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Event: Document restored.
|
||||||
|
*/
|
||||||
|
export const ZDocumentAuditLogEventDocumentRestoredSchema = z.object({
|
||||||
|
type: z.literal(DOCUMENT_AUDIT_LOG_TYPE.DOCUMENT_RESTORED),
|
||||||
|
data: z.object({}),
|
||||||
|
});
|
||||||
|
|
||||||
export const ZDocumentAuditLogBaseSchema = z.object({
|
export const ZDocumentAuditLogBaseSchema = z.object({
|
||||||
id: z.string(),
|
id: z.string(),
|
||||||
createdAt: z.date(),
|
createdAt: z.date(),
|
||||||
@ -588,6 +597,7 @@ export const ZDocumentAuditLogSchema = ZDocumentAuditLogBaseSchema.and(
|
|||||||
ZDocumentAuditLogEventRecipientAddedSchema,
|
ZDocumentAuditLogEventRecipientAddedSchema,
|
||||||
ZDocumentAuditLogEventRecipientUpdatedSchema,
|
ZDocumentAuditLogEventRecipientUpdatedSchema,
|
||||||
ZDocumentAuditLogEventRecipientRemovedSchema,
|
ZDocumentAuditLogEventRecipientRemovedSchema,
|
||||||
|
ZDocumentAuditLogEventDocumentRestoredSchema,
|
||||||
]),
|
]),
|
||||||
);
|
);
|
||||||
|
|
||||||
|
|||||||
@ -388,6 +388,10 @@ export const formatDocumentAuditLogAction = (
|
|||||||
anonymous: msg`Document completed`,
|
anonymous: msg`Document completed`,
|
||||||
identified: msg`Document completed`,
|
identified: msg`Document completed`,
|
||||||
}))
|
}))
|
||||||
|
.with({ type: DOCUMENT_AUDIT_LOG_TYPE.DOCUMENT_RESTORED }, () => ({
|
||||||
|
anonymous: msg`Document restored`,
|
||||||
|
identified: msg`${prefix} restored the document`,
|
||||||
|
}))
|
||||||
.exhaustive();
|
.exhaustive();
|
||||||
|
|
||||||
return {
|
return {
|
||||||
|
|||||||
@ -0,0 +1,2 @@
|
|||||||
|
-- AlterEnum
|
||||||
|
ALTER TYPE "WebhookTriggerEvents" ADD VALUE 'DOCUMENT_RESTORED';
|
||||||
@ -178,6 +178,7 @@ enum WebhookTriggerEvents {
|
|||||||
DOCUMENT_COMPLETED
|
DOCUMENT_COMPLETED
|
||||||
DOCUMENT_REJECTED
|
DOCUMENT_REJECTED
|
||||||
DOCUMENT_CANCELLED
|
DOCUMENT_CANCELLED
|
||||||
|
DOCUMENT_RESTORED
|
||||||
}
|
}
|
||||||
|
|
||||||
model Webhook {
|
model Webhook {
|
||||||
|
|||||||
@ -4,6 +4,7 @@ export const ExtendedDocumentStatus = {
|
|||||||
...DocumentStatus,
|
...DocumentStatus,
|
||||||
INBOX: 'INBOX',
|
INBOX: 'INBOX',
|
||||||
ALL: 'ALL',
|
ALL: 'ALL',
|
||||||
|
DELETED: 'DELETED',
|
||||||
} as const;
|
} as const;
|
||||||
|
|
||||||
export type ExtendedDocumentStatus =
|
export type ExtendedDocumentStatus =
|
||||||
|
|||||||
@ -21,6 +21,7 @@ import type { GetStatsInput } from '@documenso/lib/server-only/document/get-stat
|
|||||||
import { getStats } from '@documenso/lib/server-only/document/get-stats';
|
import { getStats } from '@documenso/lib/server-only/document/get-stats';
|
||||||
import { moveDocumentToTeam } from '@documenso/lib/server-only/document/move-document-to-team';
|
import { moveDocumentToTeam } from '@documenso/lib/server-only/document/move-document-to-team';
|
||||||
import { resendDocument } from '@documenso/lib/server-only/document/resend-document';
|
import { resendDocument } from '@documenso/lib/server-only/document/resend-document';
|
||||||
|
import { restoreDocument } from '@documenso/lib/server-only/document/restore-document';
|
||||||
import { searchDocumentsWithKeyword } from '@documenso/lib/server-only/document/search-documents-with-keyword';
|
import { searchDocumentsWithKeyword } from '@documenso/lib/server-only/document/search-documents-with-keyword';
|
||||||
import { sendDocument } from '@documenso/lib/server-only/document/send-document';
|
import { sendDocument } from '@documenso/lib/server-only/document/send-document';
|
||||||
import { getTeamById } from '@documenso/lib/server-only/team/get-team';
|
import { getTeamById } from '@documenso/lib/server-only/team/get-team';
|
||||||
@ -52,6 +53,7 @@ import {
|
|||||||
ZMoveDocumentToTeamResponseSchema,
|
ZMoveDocumentToTeamResponseSchema,
|
||||||
ZMoveDocumentToTeamSchema,
|
ZMoveDocumentToTeamSchema,
|
||||||
ZResendDocumentMutationSchema,
|
ZResendDocumentMutationSchema,
|
||||||
|
ZRestoreDocumentMutationSchema,
|
||||||
ZSearchDocumentsMutationSchema,
|
ZSearchDocumentsMutationSchema,
|
||||||
ZSetSigningOrderForDocumentMutationSchema,
|
ZSetSigningOrderForDocumentMutationSchema,
|
||||||
ZSuccessResponseSchema,
|
ZSuccessResponseSchema,
|
||||||
@ -365,6 +367,36 @@ export const documentRouter = router({
|
|||||||
return ZGenericSuccessResponse;
|
return ZGenericSuccessResponse;
|
||||||
}),
|
}),
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @public
|
||||||
|
*/
|
||||||
|
restoreDocument: authenticatedProcedure
|
||||||
|
.meta({
|
||||||
|
openapi: {
|
||||||
|
method: 'POST',
|
||||||
|
path: '/document/restore',
|
||||||
|
summary: 'Restore deleted document',
|
||||||
|
tags: ['Document'],
|
||||||
|
},
|
||||||
|
})
|
||||||
|
.input(ZRestoreDocumentMutationSchema)
|
||||||
|
.output(ZSuccessResponseSchema)
|
||||||
|
.mutation(async ({ input, ctx }) => {
|
||||||
|
const { teamId } = ctx;
|
||||||
|
const { documentId } = input;
|
||||||
|
|
||||||
|
const userId = ctx.user.id;
|
||||||
|
|
||||||
|
await restoreDocument({
|
||||||
|
id: documentId,
|
||||||
|
userId,
|
||||||
|
teamId,
|
||||||
|
requestMetadata: ctx.metadata,
|
||||||
|
});
|
||||||
|
|
||||||
|
return ZGenericSuccessResponse;
|
||||||
|
}),
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @public
|
* @public
|
||||||
*/
|
*/
|
||||||
|
|||||||
@ -153,6 +153,7 @@ export const ZFindDocumentsInternalResponseSchema = ZFindResultResponse.extend({
|
|||||||
[ExtendedDocumentStatus.PENDING]: z.number(),
|
[ExtendedDocumentStatus.PENDING]: z.number(),
|
||||||
[ExtendedDocumentStatus.COMPLETED]: z.number(),
|
[ExtendedDocumentStatus.COMPLETED]: z.number(),
|
||||||
[ExtendedDocumentStatus.REJECTED]: z.number(),
|
[ExtendedDocumentStatus.REJECTED]: z.number(),
|
||||||
|
[ExtendedDocumentStatus.DELETED]: z.number(),
|
||||||
[ExtendedDocumentStatus.INBOX]: z.number(),
|
[ExtendedDocumentStatus.INBOX]: z.number(),
|
||||||
[ExtendedDocumentStatus.ALL]: z.number(),
|
[ExtendedDocumentStatus.ALL]: z.number(),
|
||||||
}),
|
}),
|
||||||
@ -329,6 +330,12 @@ export const ZDeleteDocumentMutationSchema = z.object({
|
|||||||
|
|
||||||
export type TDeleteDocumentMutationSchema = z.infer<typeof ZDeleteDocumentMutationSchema>;
|
export type TDeleteDocumentMutationSchema = z.infer<typeof ZDeleteDocumentMutationSchema>;
|
||||||
|
|
||||||
|
export const ZRestoreDocumentMutationSchema = z.object({
|
||||||
|
documentId: z.number(),
|
||||||
|
});
|
||||||
|
|
||||||
|
export type TRestoreDocumentMutationSchema = z.infer<typeof ZRestoreDocumentMutationSchema>;
|
||||||
|
|
||||||
export const ZSearchDocumentsMutationSchema = z.object({
|
export const ZSearchDocumentsMutationSchema = z.object({
|
||||||
query: z.string(),
|
query: z.string(),
|
||||||
});
|
});
|
||||||
|
|||||||
Reference in New Issue
Block a user