mirror of
https://github.com/documenso/documenso.git
synced 2025-11-13 08:13:56 +10:00
feat: automatically sign fields in large documents (#1484)
## Description Adds a dialog that will display when a certain field threshold is reached asking the user if they would like to sign non-critical fields such as name, date, initials, and email with information that is already available. This has not been added to direct templates since we would often not have all the pre-requisite knowledge since users are mostly anonymous. Additionally, this has not been added to the embedding view since it may detract from the experience for some. Will not prompt the user if there is action authentication on the document. See the below demo: https://github.com/user-attachments/assets/71739b5c-1323-4da9-89fd-a1145c9714d5 ## Related Issue #1281 (Older PR relating to the feature) ## Changes Made - Added a new auto-sign dialog that will automatically trigger once certain criteria is met. ## Testing Performed - Tested that the dialog displays when the threshold is met - Tested that the dialog is hidden when the threshold is not met - Tested that the messaging during errors is correct - Tested that the dialog does not display when 2FA or Passkeys are required
This commit is contained in:
237
apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx
Normal file
237
apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx
Normal file
@ -0,0 +1,237 @@
|
|||||||
|
'use client';
|
||||||
|
|
||||||
|
import { useState, useTransition } from 'react';
|
||||||
|
|
||||||
|
import { useRouter } from 'next/navigation';
|
||||||
|
|
||||||
|
import { Plural, Trans, msg } from '@lingui/macro';
|
||||||
|
import { useLingui } from '@lingui/react';
|
||||||
|
import { useForm } from 'react-hook-form';
|
||||||
|
import { P, match } from 'ts-pattern';
|
||||||
|
|
||||||
|
import { unsafe_useEffectOnce } from '@documenso/lib/client-only/hooks/use-effect-once';
|
||||||
|
import { DocumentAuth } from '@documenso/lib/types/document-auth';
|
||||||
|
import { extractInitials } from '@documenso/lib/utils/recipient-formatter';
|
||||||
|
import type { Field, Recipient } from '@documenso/prisma/client';
|
||||||
|
import { FieldType } from '@documenso/prisma/client';
|
||||||
|
import { trpc } from '@documenso/trpc/react';
|
||||||
|
import { Button } from '@documenso/ui/primitives/button';
|
||||||
|
import {
|
||||||
|
Dialog,
|
||||||
|
DialogContent,
|
||||||
|
DialogFooter,
|
||||||
|
DialogHeader,
|
||||||
|
DialogTitle,
|
||||||
|
} from '@documenso/ui/primitives/dialog';
|
||||||
|
import { FRIENDLY_FIELD_TYPE } from '@documenso/ui/primitives/document-flow/types';
|
||||||
|
import { Form } from '@documenso/ui/primitives/form/form';
|
||||||
|
import { useToast } from '@documenso/ui/primitives/use-toast';
|
||||||
|
|
||||||
|
import { SigningDisclosure } from '~/components/general/signing-disclosure';
|
||||||
|
|
||||||
|
import { useRequiredDocumentAuthContext } from './document-auth-provider';
|
||||||
|
import { useRequiredSigningContext } from './provider';
|
||||||
|
|
||||||
|
const AUTO_SIGNABLE_FIELD_TYPES: string[] = [
|
||||||
|
FieldType.NAME,
|
||||||
|
FieldType.INITIALS,
|
||||||
|
FieldType.EMAIL,
|
||||||
|
FieldType.DATE,
|
||||||
|
];
|
||||||
|
|
||||||
|
// The action auth types that are not allowed to be auto signed
|
||||||
|
//
|
||||||
|
// Reasoning: If the action auth is a passkey or 2FA, it's likely that the owner of the document
|
||||||
|
// intends on having the user manually sign due to the additional security measures employed for
|
||||||
|
// other field types.
|
||||||
|
const NON_AUTO_SIGNABLE_ACTION_AUTH_TYPES: string[] = [
|
||||||
|
DocumentAuth.PASSKEY,
|
||||||
|
DocumentAuth.TWO_FACTOR_AUTH,
|
||||||
|
];
|
||||||
|
|
||||||
|
// The threshold for the number of fields that could be autosigned before displaying the dialog
|
||||||
|
//
|
||||||
|
// Reasoning: If there aren't that many fields, it's likely going to be easier to manually sign each one
|
||||||
|
// while for larger documents with many fields it will be beneficial to sign away the boilerplate fields.
|
||||||
|
const AUTO_SIGN_THRESHOLD = 5;
|
||||||
|
|
||||||
|
export type AutoSignProps = {
|
||||||
|
recipient: Pick<Recipient, 'id' | 'token'>;
|
||||||
|
fields: Field[];
|
||||||
|
};
|
||||||
|
|
||||||
|
export const AutoSign = ({ recipient, fields }: AutoSignProps) => {
|
||||||
|
const { _ } = useLingui();
|
||||||
|
const { toast } = useToast();
|
||||||
|
|
||||||
|
const router = useRouter();
|
||||||
|
|
||||||
|
const { email, fullName } = useRequiredSigningContext();
|
||||||
|
const { derivedRecipientActionAuth } = useRequiredDocumentAuthContext();
|
||||||
|
|
||||||
|
const [open, setOpen] = useState(false);
|
||||||
|
const [isPending, startTransition] = useTransition();
|
||||||
|
|
||||||
|
const form = useForm();
|
||||||
|
|
||||||
|
const { mutateAsync: signFieldWithToken } = trpc.field.signFieldWithToken.useMutation();
|
||||||
|
|
||||||
|
const autoSignableFields = fields.filter((field) => {
|
||||||
|
if (field.inserted) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!AUTO_SIGNABLE_FIELD_TYPES.includes(field.type)) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (field.type === FieldType.NAME && !fullName) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (field.type === FieldType.INITIALS && !fullName) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (field.type === FieldType.EMAIL && !email) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
return true;
|
||||||
|
});
|
||||||
|
|
||||||
|
const actionAuthAllowsAutoSign = !NON_AUTO_SIGNABLE_ACTION_AUTH_TYPES.includes(
|
||||||
|
derivedRecipientActionAuth ?? '',
|
||||||
|
);
|
||||||
|
|
||||||
|
const onSubmit = async () => {
|
||||||
|
const results = await Promise.allSettled(
|
||||||
|
autoSignableFields.map(async (field) => {
|
||||||
|
const value = match(field.type)
|
||||||
|
.with(FieldType.NAME, () => fullName)
|
||||||
|
.with(FieldType.INITIALS, () => extractInitials(fullName))
|
||||||
|
.with(FieldType.EMAIL, () => email)
|
||||||
|
.with(FieldType.DATE, () => new Date().toISOString())
|
||||||
|
.otherwise(() => '');
|
||||||
|
|
||||||
|
const authOptions = match(derivedRecipientActionAuth)
|
||||||
|
.with(DocumentAuth.ACCOUNT, () => ({
|
||||||
|
type: DocumentAuth.ACCOUNT,
|
||||||
|
}))
|
||||||
|
.with(DocumentAuth.EXPLICIT_NONE, () => ({
|
||||||
|
type: DocumentAuth.EXPLICIT_NONE,
|
||||||
|
}))
|
||||||
|
.with(null, () => undefined)
|
||||||
|
.with(
|
||||||
|
P.union(DocumentAuth.PASSKEY, DocumentAuth.TWO_FACTOR_AUTH),
|
||||||
|
// This is a bit dirty, but the sentinel value used here is incredibly short-lived.
|
||||||
|
() => 'NOT_SUPPORTED' as const,
|
||||||
|
)
|
||||||
|
.exhaustive();
|
||||||
|
|
||||||
|
if (authOptions === 'NOT_SUPPORTED') {
|
||||||
|
throw new Error('Action auth is not supported for auto signing');
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!value) {
|
||||||
|
throw new Error('No value to sign');
|
||||||
|
}
|
||||||
|
|
||||||
|
return await signFieldWithToken({
|
||||||
|
token: recipient.token,
|
||||||
|
fieldId: field.id,
|
||||||
|
value,
|
||||||
|
isBase64: false,
|
||||||
|
authOptions,
|
||||||
|
});
|
||||||
|
}),
|
||||||
|
);
|
||||||
|
|
||||||
|
if (results.some((result) => result.status === 'rejected')) {
|
||||||
|
toast({
|
||||||
|
title: _(msg`Error`),
|
||||||
|
description: _(
|
||||||
|
msg`An error occurred while auto-signing the document, some fields may not be signed. Please review and manually sign any remaining fields.`,
|
||||||
|
),
|
||||||
|
duration: 5000,
|
||||||
|
variant: 'destructive',
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
startTransition(() => {
|
||||||
|
router.refresh();
|
||||||
|
|
||||||
|
setOpen(false);
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
unsafe_useEffectOnce(() => {
|
||||||
|
if (actionAuthAllowsAutoSign && autoSignableFields.length > AUTO_SIGN_THRESHOLD) {
|
||||||
|
setOpen(true);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Dialog open={open} onOpenChange={setOpen}>
|
||||||
|
<DialogContent>
|
||||||
|
<DialogHeader>
|
||||||
|
<DialogTitle>Automatically sign fields</DialogTitle>
|
||||||
|
</DialogHeader>
|
||||||
|
|
||||||
|
<div className="text-muted-foreground max-w-[50ch]">
|
||||||
|
<p>
|
||||||
|
<Trans>
|
||||||
|
When you sign a document, we can automatically fill in and sign the following fields
|
||||||
|
using information that has already been provided. You can also manually sign or remove
|
||||||
|
any automatically signed fields afterwards if you desire.
|
||||||
|
</Trans>
|
||||||
|
</p>
|
||||||
|
|
||||||
|
<ul className="mt-4 flex list-inside list-disc flex-col gap-y-0.5">
|
||||||
|
{AUTO_SIGNABLE_FIELD_TYPES.map((fieldType) => (
|
||||||
|
<li key={fieldType}>
|
||||||
|
<Trans>{_(FRIENDLY_FIELD_TYPE[fieldType as FieldType])}</Trans>
|
||||||
|
<span className="pl-2 text-sm">
|
||||||
|
(
|
||||||
|
<Plural
|
||||||
|
value={autoSignableFields.filter((f) => f.type === fieldType).length}
|
||||||
|
one="1 matching field"
|
||||||
|
other="# matching fields"
|
||||||
|
/>
|
||||||
|
)
|
||||||
|
</span>
|
||||||
|
</li>
|
||||||
|
))}
|
||||||
|
</ul>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<SigningDisclosure className="mt-4" />
|
||||||
|
|
||||||
|
<Form {...form}>
|
||||||
|
<form onSubmit={form.handleSubmit(onSubmit)}>
|
||||||
|
<DialogFooter className="flex w-full flex-1 flex-nowrap gap-2">
|
||||||
|
<Button
|
||||||
|
type="button"
|
||||||
|
variant="secondary"
|
||||||
|
onClick={() => {
|
||||||
|
setOpen(false);
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<Trans>Cancel</Trans>
|
||||||
|
</Button>
|
||||||
|
|
||||||
|
<Button
|
||||||
|
type="submit"
|
||||||
|
className="min-w-[6rem]"
|
||||||
|
loading={form.formState.isSubmitting || isPending}
|
||||||
|
disabled={!autoSignableFields.length}
|
||||||
|
>
|
||||||
|
<Trans>Sign</Trans>
|
||||||
|
</Button>
|
||||||
|
</DialogFooter>
|
||||||
|
</form>
|
||||||
|
</Form>
|
||||||
|
</DialogContent>
|
||||||
|
</Dialog>
|
||||||
|
);
|
||||||
|
};
|
||||||
@ -22,6 +22,7 @@ import { LazyPDFViewer } from '@documenso/ui/primitives/lazy-pdf-viewer';
|
|||||||
|
|
||||||
import { DocumentReadOnlyFields } from '~/components/document/document-read-only-fields';
|
import { DocumentReadOnlyFields } from '~/components/document/document-read-only-fields';
|
||||||
|
|
||||||
|
import { AutoSign } from './auto-sign';
|
||||||
import { CheckboxField } from './checkbox-field';
|
import { CheckboxField } from './checkbox-field';
|
||||||
import { DateField } from './date-field';
|
import { DateField } from './date-field';
|
||||||
import { DropdownField } from './dropdown-field';
|
import { DropdownField } from './dropdown-field';
|
||||||
@ -113,6 +114,8 @@ export const SigningPageView = ({
|
|||||||
|
|
||||||
<DocumentReadOnlyFields fields={completedFields} />
|
<DocumentReadOnlyFields fields={completedFields} />
|
||||||
|
|
||||||
|
<AutoSign recipient={recipient} fields={fields} />
|
||||||
|
|
||||||
<ElementVisible target={PDF_VIEWER_PAGE_SELECTOR}>
|
<ElementVisible target={PDF_VIEWER_PAGE_SELECTOR}>
|
||||||
{fields.map((field) =>
|
{fields.map((field) =>
|
||||||
match(field.type)
|
match(field.type)
|
||||||
|
|||||||
@ -550,6 +550,10 @@ msgstr "Ccers"
|
|||||||
msgid "Character Limit"
|
msgid "Character Limit"
|
||||||
msgstr "Zeichenbeschränkung"
|
msgstr "Zeichenbeschränkung"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:58
|
||||||
|
msgid "Checkbox"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/field-items-advanced-settings/checkbox-field.tsx:197
|
#: packages/ui/primitives/document-flow/field-items-advanced-settings/checkbox-field.tsx:197
|
||||||
msgid "Checkbox values"
|
msgid "Checkbox values"
|
||||||
msgstr "Checkbox-Werte"
|
msgstr "Checkbox-Werte"
|
||||||
@ -1170,6 +1174,7 @@ msgstr "Bitte bestätige deine E-Mail-Adresse"
|
|||||||
msgid "Please try again or contact our support."
|
msgid "Please try again or contact our support."
|
||||||
msgstr "Bitte versuchen Sie es erneut oder kontaktieren Sie unseren Support."
|
msgstr "Bitte versuchen Sie es erneut oder kontaktieren Sie unseren Support."
|
||||||
|
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:57
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx:768
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx:768
|
||||||
msgid "Radio"
|
msgid "Radio"
|
||||||
msgstr "Radio"
|
msgstr "Radio"
|
||||||
@ -1291,6 +1296,7 @@ msgid "Search languages..."
|
|||||||
msgstr "Sprachen suchen..."
|
msgstr "Sprachen suchen..."
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/field-items-advanced-settings/dropdown-field.tsx:115
|
#: packages/ui/primitives/document-flow/field-items-advanced-settings/dropdown-field.tsx:115
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:59
|
||||||
msgid "Select"
|
msgid "Select"
|
||||||
msgstr "Auswählen"
|
msgstr "Auswählen"
|
||||||
|
|
||||||
@ -1808,4 +1814,3 @@ msgstr "Dein Passwort wurde aktualisiert."
|
|||||||
#: packages/email/templates/team-delete.tsx:32
|
#: packages/email/templates/team-delete.tsx:32
|
||||||
msgid "Your team has been deleted"
|
msgid "Your team has been deleted"
|
||||||
msgstr "Dein Team wurde gelöscht"
|
msgstr "Dein Team wurde gelöscht"
|
||||||
|
|
||||||
|
|||||||
@ -602,4 +602,3 @@ msgstr "Sie können Documenso kostenlos selbst hosten oder unsere sofort einsatz
|
|||||||
#: apps/marketing/src/components/(marketing)/carousel.tsx:272
|
#: apps/marketing/src/components/(marketing)/carousel.tsx:272
|
||||||
msgid "Your browser does not support the video tag."
|
msgid "Your browser does not support the video tag."
|
||||||
msgstr "Ihr Browser unterstützt das Video-Tag nicht."
|
msgstr "Ihr Browser unterstützt das Video-Tag nicht."
|
||||||
|
|
||||||
|
|||||||
@ -50,15 +50,15 @@ msgstr "\"{placeholderEmail}\" im Namen von \"{0}\" hat Sie eingeladen, \"Beispi
|
|||||||
msgid "\"{teamUrl}\" has invited you to sign \"example document\"."
|
msgid "\"{teamUrl}\" has invited you to sign \"example document\"."
|
||||||
msgstr "\"{teamUrl}\" hat Sie eingeladen, \"Beispieldokument\" zu unterschreiben."
|
msgstr "\"{teamUrl}\" hat Sie eingeladen, \"Beispieldokument\" zu unterschreiben."
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:79
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:80
|
||||||
msgid "({0}) has invited you to approve this document"
|
msgid "({0}) has invited you to approve this document"
|
||||||
msgstr "({0}) hat dich eingeladen, dieses Dokument zu genehmigen"
|
msgstr "({0}) hat dich eingeladen, dieses Dokument zu genehmigen"
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:76
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:77
|
||||||
msgid "({0}) has invited you to sign this document"
|
msgid "({0}) has invited you to sign this document"
|
||||||
msgstr "({0}) hat dich eingeladen, dieses Dokument zu unterzeichnen"
|
msgstr "({0}) hat dich eingeladen, dieses Dokument zu unterzeichnen"
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:73
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:74
|
||||||
msgid "({0}) has invited you to view this document"
|
msgid "({0}) has invited you to view this document"
|
||||||
msgstr "({0}) hat dich eingeladen, dieses Dokument zu betrachten"
|
msgstr "({0}) hat dich eingeladen, dieses Dokument zu betrachten"
|
||||||
|
|
||||||
@ -84,6 +84,10 @@ msgstr "{0, plural, one {# Sitz} other {# Sitze}}"
|
|||||||
msgid "{0, plural, one {<0>You have <1>1</1> pending team invitation</0>} other {<2>You have <3>#</3> pending team invitations</2>}}"
|
msgid "{0, plural, one {<0>You have <1>1</1> pending team invitation</0>} other {<2>You have <3>#</3> pending team invitations</2>}}"
|
||||||
msgstr "{0, plural, one {<0>Du hast <1>1</1> ausstehende Team-Einladung</0>} other {<2>Du hast <3>#</3> ausstehende Team-Einladungen</2>}}"
|
msgstr "{0, plural, one {<0>Du hast <1>1</1> ausstehende Team-Einladung</0>} other {<2>Du hast <3>#</3> ausstehende Team-Einladungen</2>}}"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:196
|
||||||
|
msgid "{0, plural, one {1 matching field} other {# matching fields}}"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/documents/[id]/edit/document-edit-page-view.tsx:129
|
#: apps/web/src/app/(dashboard)/documents/[id]/edit/document-edit-page-view.tsx:129
|
||||||
msgid "{0, plural, one {1 Recipient} other {# Recipients}}"
|
msgid "{0, plural, one {1 Recipient} other {# Recipients}}"
|
||||||
msgstr "{0, plural, one {1 Empfänger} other {# Empfänger}}"
|
msgstr "{0, plural, one {1 Empfänger} other {# Empfänger}}"
|
||||||
@ -96,6 +100,10 @@ msgstr "{0, plural, one {Warte auf 1 Empfänger} other {Warte auf # Empfänger}}
|
|||||||
msgid "{0, plural, zero {Select values} other {# selected...}}"
|
msgid "{0, plural, zero {Select values} other {# selected...}}"
|
||||||
msgstr "{0, plural, zero {Werte auswählen} other {# ausgewählt...}}"
|
msgstr "{0, plural, zero {Werte auswählen} other {# ausgewählt...}}"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:193
|
||||||
|
msgid "{0}"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:249
|
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:249
|
||||||
msgid "{0} direct signing templates"
|
msgid "{0} direct signing templates"
|
||||||
msgstr "{0} direkte Signaturvorlagen"
|
msgstr "{0} direkte Signaturvorlagen"
|
||||||
@ -474,6 +482,10 @@ msgstr "Ein Fehler ist aufgetreten, während Unterzeichner hinzugefügt wurden."
|
|||||||
msgid "An error occurred while adding the fields."
|
msgid "An error occurred while adding the fields."
|
||||||
msgstr "Ein Fehler ist aufgetreten, während die Felder hinzugefügt wurden."
|
msgstr "Ein Fehler ist aufgetreten, während die Felder hinzugefügt wurden."
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:154
|
||||||
|
msgid "An error occurred while auto-signing the document, some fields may not be signed. Please review and manually sign any remaining fields."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:176
|
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:176
|
||||||
msgid "An error occurred while creating document from template."
|
msgid "An error occurred while creating document from template."
|
||||||
msgstr "Ein Fehler ist aufgetreten, während das Dokument aus der Vorlage erstellt wurde."
|
msgstr "Ein Fehler ist aufgetreten, während das Dokument aus der Vorlage erstellt wurde."
|
||||||
@ -748,7 +760,7 @@ msgstr "Banner aktualisiert"
|
|||||||
msgid "Basic details"
|
msgid "Basic details"
|
||||||
msgstr "Basisdetails"
|
msgstr "Basisdetails"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:72
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:74
|
||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/billing/page.tsx:61
|
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/billing/page.tsx:61
|
||||||
#: apps/web/src/components/(dashboard)/settings/layout/desktop-nav.tsx:117
|
#: apps/web/src/components/(dashboard)/settings/layout/desktop-nav.tsx:117
|
||||||
#: apps/web/src/components/(dashboard)/settings/layout/mobile-nav.tsx:120
|
#: apps/web/src/components/(dashboard)/settings/layout/mobile-nav.tsx:120
|
||||||
@ -810,6 +822,7 @@ msgstr "Durch die Verwendung der elektronischen Unterschriftsfunktion stimmen Si
|
|||||||
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:78
|
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:78
|
||||||
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:119
|
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:119
|
||||||
#: apps/web/src/app/(dashboard)/templates/template-direct-link-dialog.tsx:472
|
#: apps/web/src/app/(dashboard)/templates/template-direct-link-dialog.tsx:472
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:220
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:178
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:178
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-account.tsx:71
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-account.tsx:71
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-passkey.tsx:164
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-passkey.tsx:164
|
||||||
@ -1799,6 +1812,7 @@ msgstr "Geben Sie hier Ihren Text ein"
|
|||||||
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:51
|
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:51
|
||||||
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:56
|
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:56
|
||||||
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:175
|
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:175
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:152
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:122
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:122
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:151
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:151
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:212
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:212
|
||||||
@ -2230,6 +2244,10 @@ msgstr "Verwalten Sie alle Teams, mit denen Sie derzeit verbunden sind."
|
|||||||
msgid "Manage and view template"
|
msgid "Manage and view template"
|
||||||
msgstr "Vorlage verwalten und anzeigen"
|
msgstr "Vorlage verwalten und anzeigen"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:136
|
||||||
|
msgid "Manage billing"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:341
|
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:341
|
||||||
msgid "Manage details for this public template"
|
msgid "Manage details for this public template"
|
||||||
msgstr "Details für diese öffentliche Vorlage verwalten"
|
msgstr "Details für diese öffentliche Vorlage verwalten"
|
||||||
@ -2250,7 +2268,7 @@ msgstr "Passkeys verwalten"
|
|||||||
msgid "Manage subscription"
|
msgid "Manage subscription"
|
||||||
msgstr "Abonnement verwalten"
|
msgstr "Abonnement verwalten"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:66
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:67
|
||||||
msgid "Manage Subscription"
|
msgid "Manage Subscription"
|
||||||
msgstr "Abonnement verwalten"
|
msgstr "Abonnement verwalten"
|
||||||
|
|
||||||
@ -3175,6 +3193,7 @@ msgstr "Vorlagen in Ihrem Team-Öffentliches Profil anzeigen, damit Ihre Zielgru
|
|||||||
#: apps/web/src/app/(dashboard)/documents/data-table-action-button.tsx:114
|
#: apps/web/src/app/(dashboard)/documents/data-table-action-button.tsx:114
|
||||||
#: apps/web/src/app/(dashboard)/documents/data-table-action-dropdown.tsx:139
|
#: apps/web/src/app/(dashboard)/documents/data-table-action-dropdown.tsx:139
|
||||||
#: apps/web/src/app/(profile)/p/[url]/page.tsx:192
|
#: apps/web/src/app/(profile)/p/[url]/page.tsx:192
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:229
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:182
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:182
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/name-field.tsx:224
|
#: apps/web/src/app/(signing)/sign/[token]/name-field.tsx:224
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/sign-dialog.tsx:124
|
#: apps/web/src/app/(signing)/sign/[token]/sign-dialog.tsx:124
|
||||||
@ -3331,7 +3350,7 @@ msgstr "Website Einstellungen"
|
|||||||
#: apps/web/src/app/(dashboard)/documents/delete-document-dialog.tsx:80
|
#: apps/web/src/app/(dashboard)/documents/delete-document-dialog.tsx:80
|
||||||
#: apps/web/src/app/(dashboard)/documents/duplicate-document-dialog.tsx:72
|
#: apps/web/src/app/(dashboard)/documents/duplicate-document-dialog.tsx:72
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-plans.tsx:62
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-plans.tsx:62
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:50
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:51
|
||||||
#: apps/web/src/app/(dashboard)/settings/public-profile/public-profile-page-view.tsx:124
|
#: apps/web/src/app/(dashboard)/settings/public-profile/public-profile-page-view.tsx:124
|
||||||
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:73
|
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:73
|
||||||
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:93
|
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:93
|
||||||
@ -4451,7 +4470,7 @@ msgstr "Möchten Sie auffällige Signatur-Links wie diesen senden? <0>Überprüf
|
|||||||
msgid "Want your own public profile?"
|
msgid "Want your own public profile?"
|
||||||
msgstr "Möchten Sie Ihr eigenes öffentliches Profil haben?"
|
msgstr "Möchten Sie Ihr eigenes öffentliches Profil haben?"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:40
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:41
|
||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/layout-billing-banner.tsx:55
|
#: apps/web/src/app/(teams)/t/[teamUrl]/layout-billing-banner.tsx:55
|
||||||
#: apps/web/src/components/(teams)/team-billing-portal-button.tsx:31
|
#: apps/web/src/components/(teams)/team-billing-portal-button.tsx:31
|
||||||
msgid "We are unable to proceed to the billing portal at this time. Please try again, or contact support."
|
msgid "We are unable to proceed to the billing portal at this time. Please try again, or contact support."
|
||||||
@ -4715,6 +4734,10 @@ msgstr "Hast du stattdessen versucht, dieses Dokument zu bearbeiten?"
|
|||||||
msgid "When you click continue, you will be prompted to add the first available authenticator on your system."
|
msgid "When you click continue, you will be prompted to add the first available authenticator on your system."
|
||||||
msgstr "Wenn Sie auf Fortfahren klicken, werden Sie aufgefordert, den ersten verfügbaren Authenticator auf Ihrem System hinzuzufügen."
|
msgstr "Wenn Sie auf Fortfahren klicken, werden Sie aufgefordert, den ersten verfügbaren Authenticator auf Ihrem System hinzuzufügen."
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:183
|
||||||
|
msgid "When you sign a document, we can automatically fill in and sign the following fields using information that has already been provided. You can also manually sign or remove any automatically signed fields afterwards if you desire."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/app/(unauthenticated)/articles/signature-disclosure/page.tsx:36
|
#: apps/web/src/app/(unauthenticated)/articles/signature-disclosure/page.tsx:36
|
||||||
msgid "When you use our platform to affix your electronic signature to documents, you are consenting to do so under the Electronic Signatures in Global and National Commerce Act (E-Sign Act) and other applicable laws. This action indicates your agreement to use electronic means to sign documents and receive notifications."
|
msgid "When you use our platform to affix your electronic signature to documents, you are consenting to do so under the Electronic Signatures in Global and National Commerce Act (E-Sign Act) and other applicable laws. This action indicates your agreement to use electronic means to sign documents and receive notifications."
|
||||||
msgstr "Wenn Sie unsere Plattform nutzen, um Ihre elektronische Unterschrift auf Dokumente anzubringen, stimmen Sie zu, dies unter dem Gesetz über elektronische Unterschriften im globalen und nationalen Handel (E-Sign-Gesetz) und anderen anwendbaren Gesetzen zu tun. Diese Handlung zeigt Ihre Zustimmung zur Verwendung elektronischer Mittel zum Unterzeichnen von Dokumenten und zum Empfang von Benachrichtigungen an."
|
msgstr "Wenn Sie unsere Plattform nutzen, um Ihre elektronische Unterschrift auf Dokumente anzubringen, stimmen Sie zu, dies unter dem Gesetz über elektronische Unterschriften im globalen und nationalen Handel (E-Sign-Gesetz) und anderen anwendbaren Gesetzen zu tun. Diese Handlung zeigt Ihre Zustimmung zur Verwendung elektronischer Mittel zum Unterzeichnen von Dokumenten und zum Empfang von Benachrichtigungen an."
|
||||||
@ -4784,7 +4807,7 @@ msgstr "Sie stehen kurz davor, den folgenden Benutzer aus <0>{teamName}</0> zu e
|
|||||||
msgid "You are about to revoke access for team <0>{0}</0> ({1}) to use your email."
|
msgid "You are about to revoke access for team <0>{0}</0> ({1}) to use your email."
|
||||||
msgstr "Sie stehen kurz davor, den Zugriff für das Team <0>{0}</0> ({1}) zu widerrufen."
|
msgstr "Sie stehen kurz davor, den Zugriff für das Team <0>{0}</0> ({1}) zu widerrufen."
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:78
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:80
|
||||||
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>."
|
||||||
|
|
||||||
@ -4836,7 +4859,7 @@ msgstr "Sie können ein Teammitglied, das eine höhere Rolle als Sie hat, nicht
|
|||||||
msgid "You cannot upload encrypted PDFs"
|
msgid "You cannot upload encrypted PDFs"
|
||||||
msgstr "Sie können keine verschlüsselten PDFs hochladen"
|
msgstr "Sie können keine verschlüsselten PDFs hochladen"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:45
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:46
|
||||||
msgid "You do not currently have a customer record, this should not happen. Please contact support for assistance."
|
msgid "You do not currently have a customer record, this should not happen. Please contact support for assistance."
|
||||||
msgstr "Sie haben derzeit keinen Kundenrecord, das sollte nicht passieren. Bitte kontaktieren Sie den Support um Hilfe."
|
msgstr "Sie haben derzeit keinen Kundenrecord, das sollte nicht passieren. Bitte kontaktieren Sie den Support um Hilfe."
|
||||||
|
|
||||||
@ -4982,7 +5005,7 @@ msgstr "Ihre Marken-Website-URL"
|
|||||||
msgid "Your branding preferences have been updated"
|
msgid "Your branding preferences have been updated"
|
||||||
msgstr "Ihre Markenpräferenzen wurden aktualisiert"
|
msgstr "Ihre Markenpräferenzen wurden aktualisiert"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:119
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:125
|
||||||
msgid "Your current plan is past due. Please update your payment information."
|
msgid "Your current plan is past due. Please update your payment information."
|
||||||
msgstr "Ihr aktueller Plan ist überfällig. Bitte aktualisieren Sie Ihre Zahlungsinformationen."
|
msgstr "Ihr aktueller Plan ist überfällig. Bitte aktualisieren Sie Ihre Zahlungsinformationen."
|
||||||
|
|
||||||
@ -5117,4 +5140,3 @@ msgstr "Ihr Token wurde erfolgreich erstellt! Stellen Sie sicher, dass Sie es ko
|
|||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/tokens/page.tsx:86
|
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/tokens/page.tsx:86
|
||||||
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."
|
||||||
|
|
||||||
|
|||||||
@ -545,6 +545,10 @@ msgstr "Ccers"
|
|||||||
msgid "Character Limit"
|
msgid "Character Limit"
|
||||||
msgstr "Character Limit"
|
msgstr "Character Limit"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:58
|
||||||
|
msgid "Checkbox"
|
||||||
|
msgstr "Checkbox"
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/field-items-advanced-settings/checkbox-field.tsx:197
|
#: packages/ui/primitives/document-flow/field-items-advanced-settings/checkbox-field.tsx:197
|
||||||
msgid "Checkbox values"
|
msgid "Checkbox values"
|
||||||
msgstr "Checkbox values"
|
msgstr "Checkbox values"
|
||||||
@ -1165,6 +1169,7 @@ msgstr "Please confirm your email address"
|
|||||||
msgid "Please try again or contact our support."
|
msgid "Please try again or contact our support."
|
||||||
msgstr "Please try again or contact our support."
|
msgstr "Please try again or contact our support."
|
||||||
|
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:57
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx:768
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx:768
|
||||||
msgid "Radio"
|
msgid "Radio"
|
||||||
msgstr "Radio"
|
msgstr "Radio"
|
||||||
@ -1286,6 +1291,7 @@ msgid "Search languages..."
|
|||||||
msgstr "Search languages..."
|
msgstr "Search languages..."
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/field-items-advanced-settings/dropdown-field.tsx:115
|
#: packages/ui/primitives/document-flow/field-items-advanced-settings/dropdown-field.tsx:115
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:59
|
||||||
msgid "Select"
|
msgid "Select"
|
||||||
msgstr "Select"
|
msgstr "Select"
|
||||||
|
|
||||||
|
|||||||
@ -45,15 +45,15 @@ msgstr "\"{placeholderEmail}\" on behalf of \"{0}\" has invited you to sign \"ex
|
|||||||
msgid "\"{teamUrl}\" has invited you to sign \"example document\"."
|
msgid "\"{teamUrl}\" has invited you to sign \"example document\"."
|
||||||
msgstr "\"{teamUrl}\" has invited you to sign \"example document\"."
|
msgstr "\"{teamUrl}\" has invited you to sign \"example document\"."
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:79
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:80
|
||||||
msgid "({0}) has invited you to approve this document"
|
msgid "({0}) has invited you to approve this document"
|
||||||
msgstr "({0}) has invited you to approve this document"
|
msgstr "({0}) has invited you to approve this document"
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:76
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:77
|
||||||
msgid "({0}) has invited you to sign this document"
|
msgid "({0}) has invited you to sign this document"
|
||||||
msgstr "({0}) has invited you to sign this document"
|
msgstr "({0}) has invited you to sign this document"
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:73
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:74
|
||||||
msgid "({0}) has invited you to view this document"
|
msgid "({0}) has invited you to view this document"
|
||||||
msgstr "({0}) has invited you to view this document"
|
msgstr "({0}) has invited you to view this document"
|
||||||
|
|
||||||
@ -79,6 +79,10 @@ msgstr "{0, plural, one {# Seat} other {# Seats}}"
|
|||||||
msgid "{0, plural, one {<0>You have <1>1</1> pending team invitation</0>} other {<2>You have <3>#</3> pending team invitations</2>}}"
|
msgid "{0, plural, one {<0>You have <1>1</1> pending team invitation</0>} other {<2>You have <3>#</3> pending team invitations</2>}}"
|
||||||
msgstr "{0, plural, one {<0>You have <1>1</1> pending team invitation</0>} other {<2>You have <3>#</3> pending team invitations</2>}}"
|
msgstr "{0, plural, one {<0>You have <1>1</1> pending team invitation</0>} other {<2>You have <3>#</3> pending team invitations</2>}}"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:196
|
||||||
|
msgid "{0, plural, one {1 matching field} other {# matching fields}}"
|
||||||
|
msgstr "{0, plural, one {1 matching field} other {# matching fields}}"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/documents/[id]/edit/document-edit-page-view.tsx:129
|
#: apps/web/src/app/(dashboard)/documents/[id]/edit/document-edit-page-view.tsx:129
|
||||||
msgid "{0, plural, one {1 Recipient} other {# Recipients}}"
|
msgid "{0, plural, one {1 Recipient} other {# Recipients}}"
|
||||||
msgstr "{0, plural, one {1 Recipient} other {# Recipients}}"
|
msgstr "{0, plural, one {1 Recipient} other {# Recipients}}"
|
||||||
@ -91,6 +95,10 @@ msgstr "{0, plural, one {Waiting on 1 recipient} other {Waiting on # recipients}
|
|||||||
msgid "{0, plural, zero {Select values} other {# selected...}}"
|
msgid "{0, plural, zero {Select values} other {# selected...}}"
|
||||||
msgstr "{0, plural, zero {Select values} other {# selected...}}"
|
msgstr "{0, plural, zero {Select values} other {# selected...}}"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:193
|
||||||
|
msgid "{0}"
|
||||||
|
msgstr "{0}"
|
||||||
|
|
||||||
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:249
|
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:249
|
||||||
msgid "{0} direct signing templates"
|
msgid "{0} direct signing templates"
|
||||||
msgstr "{0} direct signing templates"
|
msgstr "{0} direct signing templates"
|
||||||
@ -469,6 +477,10 @@ msgstr "An error occurred while adding signers."
|
|||||||
msgid "An error occurred while adding the fields."
|
msgid "An error occurred while adding the fields."
|
||||||
msgstr "An error occurred while adding the fields."
|
msgstr "An error occurred while adding the fields."
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:154
|
||||||
|
msgid "An error occurred while auto-signing the document, some fields may not be signed. Please review and manually sign any remaining fields."
|
||||||
|
msgstr "An error occurred while auto-signing the document, some fields may not be signed. Please review and manually sign any remaining fields."
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:176
|
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:176
|
||||||
msgid "An error occurred while creating document from template."
|
msgid "An error occurred while creating document from template."
|
||||||
msgstr "An error occurred while creating document from template."
|
msgstr "An error occurred while creating document from template."
|
||||||
@ -743,7 +755,7 @@ msgstr "Banner Updated"
|
|||||||
msgid "Basic details"
|
msgid "Basic details"
|
||||||
msgstr "Basic details"
|
msgstr "Basic details"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:72
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:74
|
||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/billing/page.tsx:61
|
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/billing/page.tsx:61
|
||||||
#: apps/web/src/components/(dashboard)/settings/layout/desktop-nav.tsx:117
|
#: apps/web/src/components/(dashboard)/settings/layout/desktop-nav.tsx:117
|
||||||
#: apps/web/src/components/(dashboard)/settings/layout/mobile-nav.tsx:120
|
#: apps/web/src/components/(dashboard)/settings/layout/mobile-nav.tsx:120
|
||||||
@ -805,6 +817,7 @@ msgstr "By using the electronic signature feature, you are consenting to conduct
|
|||||||
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:78
|
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:78
|
||||||
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:119
|
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:119
|
||||||
#: apps/web/src/app/(dashboard)/templates/template-direct-link-dialog.tsx:472
|
#: apps/web/src/app/(dashboard)/templates/template-direct-link-dialog.tsx:472
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:220
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:178
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:178
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-account.tsx:71
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-account.tsx:71
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-passkey.tsx:164
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-passkey.tsx:164
|
||||||
@ -1794,6 +1807,7 @@ msgstr "Enter your text here"
|
|||||||
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:51
|
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:51
|
||||||
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:56
|
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:56
|
||||||
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:175
|
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:175
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:152
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:122
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:122
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:151
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:151
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:212
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:212
|
||||||
@ -2225,6 +2239,10 @@ msgstr "Manage all teams you are currently associated with."
|
|||||||
msgid "Manage and view template"
|
msgid "Manage and view template"
|
||||||
msgstr "Manage and view template"
|
msgstr "Manage and view template"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:136
|
||||||
|
msgid "Manage billing"
|
||||||
|
msgstr "Manage billing"
|
||||||
|
|
||||||
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:341
|
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:341
|
||||||
msgid "Manage details for this public template"
|
msgid "Manage details for this public template"
|
||||||
msgstr "Manage details for this public template"
|
msgstr "Manage details for this public template"
|
||||||
@ -2245,7 +2263,7 @@ msgstr "Manage passkeys"
|
|||||||
msgid "Manage subscription"
|
msgid "Manage subscription"
|
||||||
msgstr "Manage subscription"
|
msgstr "Manage subscription"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:66
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:67
|
||||||
msgid "Manage Subscription"
|
msgid "Manage Subscription"
|
||||||
msgstr "Manage Subscription"
|
msgstr "Manage Subscription"
|
||||||
|
|
||||||
@ -3170,6 +3188,7 @@ msgstr "Show templates in your team public profile for your audience to sign and
|
|||||||
#: apps/web/src/app/(dashboard)/documents/data-table-action-button.tsx:114
|
#: apps/web/src/app/(dashboard)/documents/data-table-action-button.tsx:114
|
||||||
#: apps/web/src/app/(dashboard)/documents/data-table-action-dropdown.tsx:139
|
#: apps/web/src/app/(dashboard)/documents/data-table-action-dropdown.tsx:139
|
||||||
#: apps/web/src/app/(profile)/p/[url]/page.tsx:192
|
#: apps/web/src/app/(profile)/p/[url]/page.tsx:192
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:229
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:182
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:182
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/name-field.tsx:224
|
#: apps/web/src/app/(signing)/sign/[token]/name-field.tsx:224
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/sign-dialog.tsx:124
|
#: apps/web/src/app/(signing)/sign/[token]/sign-dialog.tsx:124
|
||||||
@ -3326,7 +3345,7 @@ msgstr "Site Settings"
|
|||||||
#: apps/web/src/app/(dashboard)/documents/delete-document-dialog.tsx:80
|
#: apps/web/src/app/(dashboard)/documents/delete-document-dialog.tsx:80
|
||||||
#: apps/web/src/app/(dashboard)/documents/duplicate-document-dialog.tsx:72
|
#: apps/web/src/app/(dashboard)/documents/duplicate-document-dialog.tsx:72
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-plans.tsx:62
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-plans.tsx:62
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:50
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:51
|
||||||
#: apps/web/src/app/(dashboard)/settings/public-profile/public-profile-page-view.tsx:124
|
#: apps/web/src/app/(dashboard)/settings/public-profile/public-profile-page-view.tsx:124
|
||||||
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:73
|
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:73
|
||||||
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:93
|
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:93
|
||||||
@ -4446,7 +4465,7 @@ msgstr "Want to send slick signing links like this one? <0>Check out Documenso.<
|
|||||||
msgid "Want your own public profile?"
|
msgid "Want your own public profile?"
|
||||||
msgstr "Want your own public profile?"
|
msgstr "Want your own public profile?"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:40
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:41
|
||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/layout-billing-banner.tsx:55
|
#: apps/web/src/app/(teams)/t/[teamUrl]/layout-billing-banner.tsx:55
|
||||||
#: apps/web/src/components/(teams)/team-billing-portal-button.tsx:31
|
#: apps/web/src/components/(teams)/team-billing-portal-button.tsx:31
|
||||||
msgid "We are unable to proceed to the billing portal at this time. Please try again, or contact support."
|
msgid "We are unable to proceed to the billing portal at this time. Please try again, or contact support."
|
||||||
@ -4710,6 +4729,10 @@ msgstr "Were you trying to edit this document instead?"
|
|||||||
msgid "When you click continue, you will be prompted to add the first available authenticator on your system."
|
msgid "When you click continue, you will be prompted to add the first available authenticator on your system."
|
||||||
msgstr "When you click continue, you will be prompted to add the first available authenticator on your system."
|
msgstr "When you click continue, you will be prompted to add the first available authenticator on your system."
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:183
|
||||||
|
msgid "When you sign a document, we can automatically fill in and sign the following fields using information that has already been provided. You can also manually sign or remove any automatically signed fields afterwards if you desire."
|
||||||
|
msgstr "When you sign a document, we can automatically fill in and sign the following fields using information that has already been provided. You can also manually sign or remove any automatically signed fields afterwards if you desire."
|
||||||
|
|
||||||
#: apps/web/src/app/(unauthenticated)/articles/signature-disclosure/page.tsx:36
|
#: apps/web/src/app/(unauthenticated)/articles/signature-disclosure/page.tsx:36
|
||||||
msgid "When you use our platform to affix your electronic signature to documents, you are consenting to do so under the Electronic Signatures in Global and National Commerce Act (E-Sign Act) and other applicable laws. This action indicates your agreement to use electronic means to sign documents and receive notifications."
|
msgid "When you use our platform to affix your electronic signature to documents, you are consenting to do so under the Electronic Signatures in Global and National Commerce Act (E-Sign Act) and other applicable laws. This action indicates your agreement to use electronic means to sign documents and receive notifications."
|
||||||
msgstr "When you use our platform to affix your electronic signature to documents, you are consenting to do so under the Electronic Signatures in Global and National Commerce Act (E-Sign Act) and other applicable laws. This action indicates your agreement to use electronic means to sign documents and receive notifications."
|
msgstr "When you use our platform to affix your electronic signature to documents, you are consenting to do so under the Electronic Signatures in Global and National Commerce Act (E-Sign Act) and other applicable laws. This action indicates your agreement to use electronic means to sign documents and receive notifications."
|
||||||
@ -4779,7 +4802,7 @@ msgstr "You are about to remove the following user from <0>{teamName}</0>."
|
|||||||
msgid "You are about to revoke access for team <0>{0}</0> ({1}) to use your email."
|
msgid "You are about to revoke access for team <0>{0}</0> ({1}) to use your email."
|
||||||
msgstr "You are about to revoke access for team <0>{0}</0> ({1}) to use your email."
|
msgstr "You are about to revoke access for team <0>{0}</0> ({1}) to use your email."
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:78
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:80
|
||||||
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>."
|
||||||
|
|
||||||
@ -4831,7 +4854,7 @@ msgstr "You cannot modify a team member who has a higher role than you."
|
|||||||
msgid "You cannot upload encrypted PDFs"
|
msgid "You cannot upload encrypted PDFs"
|
||||||
msgstr "You cannot upload encrypted PDFs"
|
msgstr "You cannot upload encrypted PDFs"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:45
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:46
|
||||||
msgid "You do not currently have a customer record, this should not happen. Please contact support for assistance."
|
msgid "You do not currently have a customer record, this should not happen. Please contact support for assistance."
|
||||||
msgstr "You do not currently have a customer record, this should not happen. Please contact support for assistance."
|
msgstr "You do not currently have a customer record, this should not happen. Please contact support for assistance."
|
||||||
|
|
||||||
@ -4977,7 +5000,7 @@ msgstr "Your brand website URL"
|
|||||||
msgid "Your branding preferences have been updated"
|
msgid "Your branding preferences have been updated"
|
||||||
msgstr "Your branding preferences have been updated"
|
msgstr "Your branding preferences have been updated"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:119
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:125
|
||||||
msgid "Your current plan is past due. Please update your payment information."
|
msgid "Your current plan is past due. Please update your payment information."
|
||||||
msgstr "Your current plan is past due. Please update your payment information."
|
msgstr "Your current plan is past due. Please update your payment information."
|
||||||
|
|
||||||
|
|||||||
@ -550,6 +550,10 @@ msgstr "Ccers"
|
|||||||
msgid "Character Limit"
|
msgid "Character Limit"
|
||||||
msgstr "Límite de caracteres"
|
msgstr "Límite de caracteres"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:58
|
||||||
|
msgid "Checkbox"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/field-items-advanced-settings/checkbox-field.tsx:197
|
#: packages/ui/primitives/document-flow/field-items-advanced-settings/checkbox-field.tsx:197
|
||||||
msgid "Checkbox values"
|
msgid "Checkbox values"
|
||||||
msgstr "Valores de Checkbox"
|
msgstr "Valores de Checkbox"
|
||||||
@ -1170,6 +1174,7 @@ msgstr "Por favor confirma tu dirección de correo electrónico"
|
|||||||
msgid "Please try again or contact our support."
|
msgid "Please try again or contact our support."
|
||||||
msgstr "Por favor, inténtalo de nuevo o contacta a nuestro soporte."
|
msgstr "Por favor, inténtalo de nuevo o contacta a nuestro soporte."
|
||||||
|
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:57
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx:768
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx:768
|
||||||
msgid "Radio"
|
msgid "Radio"
|
||||||
msgstr "Radio"
|
msgstr "Radio"
|
||||||
@ -1291,6 +1296,7 @@ msgid "Search languages..."
|
|||||||
msgstr "Buscar idiomas..."
|
msgstr "Buscar idiomas..."
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/field-items-advanced-settings/dropdown-field.tsx:115
|
#: packages/ui/primitives/document-flow/field-items-advanced-settings/dropdown-field.tsx:115
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:59
|
||||||
msgid "Select"
|
msgid "Select"
|
||||||
msgstr "Seleccionar"
|
msgstr "Seleccionar"
|
||||||
|
|
||||||
@ -1808,4 +1814,3 @@ msgstr "Tu contraseña ha sido actualizada."
|
|||||||
#: packages/email/templates/team-delete.tsx:32
|
#: packages/email/templates/team-delete.tsx:32
|
||||||
msgid "Your team has been deleted"
|
msgid "Your team has been deleted"
|
||||||
msgstr "Tu equipo ha sido eliminado"
|
msgstr "Tu equipo ha sido eliminado"
|
||||||
|
|
||||||
|
|||||||
@ -602,4 +602,3 @@ msgstr "Puedes autoalojar Documenso de forma gratuita o usar nuestra versión al
|
|||||||
#: apps/marketing/src/components/(marketing)/carousel.tsx:272
|
#: apps/marketing/src/components/(marketing)/carousel.tsx:272
|
||||||
msgid "Your browser does not support the video tag."
|
msgid "Your browser does not support the video tag."
|
||||||
msgstr "Tu navegador no soporta la etiqueta de video."
|
msgstr "Tu navegador no soporta la etiqueta de video."
|
||||||
|
|
||||||
|
|||||||
@ -50,15 +50,15 @@ msgstr "\"{placeholderEmail}\" en nombre de \"{0}\" te ha invitado a firmar \"do
|
|||||||
msgid "\"{teamUrl}\" has invited you to sign \"example document\"."
|
msgid "\"{teamUrl}\" has invited you to sign \"example document\"."
|
||||||
msgstr "\"{teamUrl}\" te ha invitado a firmar \"ejemplo de documento\"."
|
msgstr "\"{teamUrl}\" te ha invitado a firmar \"ejemplo de documento\"."
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:79
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:80
|
||||||
msgid "({0}) has invited you to approve this document"
|
msgid "({0}) has invited you to approve this document"
|
||||||
msgstr "({0}) te ha invitado a aprobar este documento"
|
msgstr "({0}) te ha invitado a aprobar este documento"
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:76
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:77
|
||||||
msgid "({0}) has invited you to sign this document"
|
msgid "({0}) has invited you to sign this document"
|
||||||
msgstr "({0}) te ha invitado a firmar este documento"
|
msgstr "({0}) te ha invitado a firmar este documento"
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:73
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:74
|
||||||
msgid "({0}) has invited you to view this document"
|
msgid "({0}) has invited you to view this document"
|
||||||
msgstr "({0}) te ha invitado a ver este documento"
|
msgstr "({0}) te ha invitado a ver este documento"
|
||||||
|
|
||||||
@ -84,6 +84,10 @@ msgstr "{0, plural, one {# Asiento} other {# Asientos}}"
|
|||||||
msgid "{0, plural, one {<0>You have <1>1</1> pending team invitation</0>} other {<2>You have <3>#</3> pending team invitations</2>}}"
|
msgid "{0, plural, one {<0>You have <1>1</1> pending team invitation</0>} other {<2>You have <3>#</3> pending team invitations</2>}}"
|
||||||
msgstr "{0, plural, one {<0>Tienes <1>1</1> invitación de equipo pendiente</0>} other {<2>Tienes <3>#</3> invitaciones de equipo pendientes</2>}}"
|
msgstr "{0, plural, one {<0>Tienes <1>1</1> invitación de equipo pendiente</0>} other {<2>Tienes <3>#</3> invitaciones de equipo pendientes</2>}}"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:196
|
||||||
|
msgid "{0, plural, one {1 matching field} other {# matching fields}}"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/documents/[id]/edit/document-edit-page-view.tsx:129
|
#: apps/web/src/app/(dashboard)/documents/[id]/edit/document-edit-page-view.tsx:129
|
||||||
msgid "{0, plural, one {1 Recipient} other {# Recipients}}"
|
msgid "{0, plural, one {1 Recipient} other {# Recipients}}"
|
||||||
msgstr "{0, plural, one {1 Destinatario} other {# Destinatarios}}"
|
msgstr "{0, plural, one {1 Destinatario} other {# Destinatarios}}"
|
||||||
@ -96,6 +100,10 @@ msgstr "{0, plural, one {Esperando 1 destinatario} other {Esperando # destinatar
|
|||||||
msgid "{0, plural, zero {Select values} other {# selected...}}"
|
msgid "{0, plural, zero {Select values} other {# selected...}}"
|
||||||
msgstr "{0, plural, zero {Selecciona valores} other {# seleccionados...}}"
|
msgstr "{0, plural, zero {Selecciona valores} other {# seleccionados...}}"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:193
|
||||||
|
msgid "{0}"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:249
|
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:249
|
||||||
msgid "{0} direct signing templates"
|
msgid "{0} direct signing templates"
|
||||||
msgstr "{0} plantillas de firma directa"
|
msgstr "{0} plantillas de firma directa"
|
||||||
@ -474,6 +482,10 @@ msgstr "Ocurrió un error al agregar firmantes."
|
|||||||
msgid "An error occurred while adding the fields."
|
msgid "An error occurred while adding the fields."
|
||||||
msgstr "Ocurrió un error al agregar los campos."
|
msgstr "Ocurrió un error al agregar los campos."
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:154
|
||||||
|
msgid "An error occurred while auto-signing the document, some fields may not be signed. Please review and manually sign any remaining fields."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:176
|
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:176
|
||||||
msgid "An error occurred while creating document from template."
|
msgid "An error occurred while creating document from template."
|
||||||
msgstr "Ocurrió un error al crear el documento a partir de la plantilla."
|
msgstr "Ocurrió un error al crear el documento a partir de la plantilla."
|
||||||
@ -748,7 +760,7 @@ msgstr "Banner actualizado"
|
|||||||
msgid "Basic details"
|
msgid "Basic details"
|
||||||
msgstr "Detalles básicos"
|
msgstr "Detalles básicos"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:72
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:74
|
||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/billing/page.tsx:61
|
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/billing/page.tsx:61
|
||||||
#: apps/web/src/components/(dashboard)/settings/layout/desktop-nav.tsx:117
|
#: apps/web/src/components/(dashboard)/settings/layout/desktop-nav.tsx:117
|
||||||
#: apps/web/src/components/(dashboard)/settings/layout/mobile-nav.tsx:120
|
#: apps/web/src/components/(dashboard)/settings/layout/mobile-nav.tsx:120
|
||||||
@ -810,6 +822,7 @@ msgstr "Al utilizar la función de firma electrónica, usted está consintiendo
|
|||||||
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:78
|
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:78
|
||||||
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:119
|
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:119
|
||||||
#: apps/web/src/app/(dashboard)/templates/template-direct-link-dialog.tsx:472
|
#: apps/web/src/app/(dashboard)/templates/template-direct-link-dialog.tsx:472
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:220
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:178
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:178
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-account.tsx:71
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-account.tsx:71
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-passkey.tsx:164
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-passkey.tsx:164
|
||||||
@ -1799,6 +1812,7 @@ msgstr "Ingresa tu texto aquí"
|
|||||||
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:51
|
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:51
|
||||||
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:56
|
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:56
|
||||||
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:175
|
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:175
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:152
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:122
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:122
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:151
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:151
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:212
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:212
|
||||||
@ -2230,6 +2244,10 @@ msgstr "Gestionar todos los equipos con los que estás asociado actualmente."
|
|||||||
msgid "Manage and view template"
|
msgid "Manage and view template"
|
||||||
msgstr "Gestionar y ver plantilla"
|
msgstr "Gestionar y ver plantilla"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:136
|
||||||
|
msgid "Manage billing"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:341
|
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:341
|
||||||
msgid "Manage details for this public template"
|
msgid "Manage details for this public template"
|
||||||
msgstr "Gestionar detalles de esta plantilla pública"
|
msgstr "Gestionar detalles de esta plantilla pública"
|
||||||
@ -2250,7 +2268,7 @@ msgstr "Gestionar claves de acceso"
|
|||||||
msgid "Manage subscription"
|
msgid "Manage subscription"
|
||||||
msgstr "Gestionar suscripción"
|
msgstr "Gestionar suscripción"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:66
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:67
|
||||||
msgid "Manage Subscription"
|
msgid "Manage Subscription"
|
||||||
msgstr "Gestionar Suscripción"
|
msgstr "Gestionar Suscripción"
|
||||||
|
|
||||||
@ -3175,6 +3193,7 @@ msgstr "Mostrar plantillas en el perfil público de tu equipo para que tu audien
|
|||||||
#: apps/web/src/app/(dashboard)/documents/data-table-action-button.tsx:114
|
#: apps/web/src/app/(dashboard)/documents/data-table-action-button.tsx:114
|
||||||
#: apps/web/src/app/(dashboard)/documents/data-table-action-dropdown.tsx:139
|
#: apps/web/src/app/(dashboard)/documents/data-table-action-dropdown.tsx:139
|
||||||
#: apps/web/src/app/(profile)/p/[url]/page.tsx:192
|
#: apps/web/src/app/(profile)/p/[url]/page.tsx:192
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:229
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:182
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:182
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/name-field.tsx:224
|
#: apps/web/src/app/(signing)/sign/[token]/name-field.tsx:224
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/sign-dialog.tsx:124
|
#: apps/web/src/app/(signing)/sign/[token]/sign-dialog.tsx:124
|
||||||
@ -3331,7 +3350,7 @@ msgstr "Configuraciones del sitio"
|
|||||||
#: apps/web/src/app/(dashboard)/documents/delete-document-dialog.tsx:80
|
#: apps/web/src/app/(dashboard)/documents/delete-document-dialog.tsx:80
|
||||||
#: apps/web/src/app/(dashboard)/documents/duplicate-document-dialog.tsx:72
|
#: apps/web/src/app/(dashboard)/documents/duplicate-document-dialog.tsx:72
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-plans.tsx:62
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-plans.tsx:62
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:50
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:51
|
||||||
#: apps/web/src/app/(dashboard)/settings/public-profile/public-profile-page-view.tsx:124
|
#: apps/web/src/app/(dashboard)/settings/public-profile/public-profile-page-view.tsx:124
|
||||||
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:73
|
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:73
|
||||||
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:93
|
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:93
|
||||||
@ -4451,7 +4470,7 @@ msgstr "¿Quieres enviar enlaces de firma elegantes como este? <0>Consulta Docum
|
|||||||
msgid "Want your own public profile?"
|
msgid "Want your own public profile?"
|
||||||
msgstr "¿Quieres tu propio perfil público?"
|
msgstr "¿Quieres tu propio perfil público?"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:40
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:41
|
||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/layout-billing-banner.tsx:55
|
#: apps/web/src/app/(teams)/t/[teamUrl]/layout-billing-banner.tsx:55
|
||||||
#: apps/web/src/components/(teams)/team-billing-portal-button.tsx:31
|
#: apps/web/src/components/(teams)/team-billing-portal-button.tsx:31
|
||||||
msgid "We are unable to proceed to the billing portal at this time. Please try again, or contact support."
|
msgid "We are unable to proceed to the billing portal at this time. Please try again, or contact support."
|
||||||
@ -4715,6 +4734,10 @@ msgstr "¿Estabas intentando editar este documento en su lugar?"
|
|||||||
msgid "When you click continue, you will be prompted to add the first available authenticator on your system."
|
msgid "When you click continue, you will be prompted to add the first available authenticator on your system."
|
||||||
msgstr "Cuando haces clic en continuar, se te pedirá que añadas el primer autenticador disponible en tu sistema."
|
msgstr "Cuando haces clic en continuar, se te pedirá que añadas el primer autenticador disponible en tu sistema."
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:183
|
||||||
|
msgid "When you sign a document, we can automatically fill in and sign the following fields using information that has already been provided. You can also manually sign or remove any automatically signed fields afterwards if you desire."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/app/(unauthenticated)/articles/signature-disclosure/page.tsx:36
|
#: apps/web/src/app/(unauthenticated)/articles/signature-disclosure/page.tsx:36
|
||||||
msgid "When you use our platform to affix your electronic signature to documents, you are consenting to do so under the Electronic Signatures in Global and National Commerce Act (E-Sign Act) and other applicable laws. This action indicates your agreement to use electronic means to sign documents and receive notifications."
|
msgid "When you use our platform to affix your electronic signature to documents, you are consenting to do so under the Electronic Signatures in Global and National Commerce Act (E-Sign Act) and other applicable laws. This action indicates your agreement to use electronic means to sign documents and receive notifications."
|
||||||
msgstr "Cuando utilice nuestra plataforma para colocar su firma electrónica en documentos, está consintiendo hacerlo bajo la Ley de Firmas Electrónicas en el Comercio Global y Nacional (Ley E-Sign) y otras leyes aplicables. Esta acción indica su aceptación de usar medios electrónicos para firmar documentos y recibir notificaciones."
|
msgstr "Cuando utilice nuestra plataforma para colocar su firma electrónica en documentos, está consintiendo hacerlo bajo la Ley de Firmas Electrónicas en el Comercio Global y Nacional (Ley E-Sign) y otras leyes aplicables. Esta acción indica su aceptación de usar medios electrónicos para firmar documentos y recibir notificaciones."
|
||||||
@ -4784,7 +4807,7 @@ msgstr "Estás a punto de eliminar al siguiente usuario de <0>{teamName}</0>."
|
|||||||
msgid "You are about to revoke access for team <0>{0}</0> ({1}) to use your email."
|
msgid "You are about to revoke access for team <0>{0}</0> ({1}) to use your email."
|
||||||
msgstr "Estás a punto de revocar el acceso para el equipo <0>{0}</0> ({1}) para usar tu correo electrónico."
|
msgstr "Estás a punto de revocar el acceso para el equipo <0>{0}</0> ({1}) para usar tu correo electrónico."
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:78
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:80
|
||||||
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>."
|
||||||
|
|
||||||
@ -4836,7 +4859,7 @@ msgstr "No puedes modificar a un miembro del equipo que tenga un rol más alto q
|
|||||||
msgid "You cannot upload encrypted PDFs"
|
msgid "You cannot upload encrypted PDFs"
|
||||||
msgstr "No puedes subir PDFs encriptados"
|
msgstr "No puedes subir PDFs encriptados"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:45
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:46
|
||||||
msgid "You do not currently have a customer record, this should not happen. Please contact support for assistance."
|
msgid "You do not currently have a customer record, this should not happen. Please contact support for assistance."
|
||||||
msgstr "Actualmente no tienes un registro de cliente, esto no debería suceder. Por favor contacta a soporte para obtener asistencia."
|
msgstr "Actualmente no tienes un registro de cliente, esto no debería suceder. Por favor contacta a soporte para obtener asistencia."
|
||||||
|
|
||||||
@ -4982,7 +5005,7 @@ msgstr "La URL de tu sitio web de marca"
|
|||||||
msgid "Your branding preferences have been updated"
|
msgid "Your branding preferences have been updated"
|
||||||
msgstr "Tus preferencias de marca han sido actualizadas"
|
msgstr "Tus preferencias de marca han sido actualizadas"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:119
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:125
|
||||||
msgid "Your current plan is past due. Please update your payment information."
|
msgid "Your current plan is past due. Please update your payment information."
|
||||||
msgstr "Tu plan actual está vencido. Por favor actualiza tu información de pago."
|
msgstr "Tu plan actual está vencido. Por favor actualiza tu información de pago."
|
||||||
|
|
||||||
@ -5117,4 +5140,3 @@ msgstr "¡Tu token se creó con éxito! ¡Asegúrate de copiarlo porque no podr
|
|||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/tokens/page.tsx:86
|
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/tokens/page.tsx:86
|
||||||
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."
|
||||||
|
|
||||||
|
|||||||
@ -550,6 +550,10 @@ msgstr "Ccers"
|
|||||||
msgid "Character Limit"
|
msgid "Character Limit"
|
||||||
msgstr "Limite de caractères"
|
msgstr "Limite de caractères"
|
||||||
|
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:58
|
||||||
|
msgid "Checkbox"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/field-items-advanced-settings/checkbox-field.tsx:197
|
#: packages/ui/primitives/document-flow/field-items-advanced-settings/checkbox-field.tsx:197
|
||||||
msgid "Checkbox values"
|
msgid "Checkbox values"
|
||||||
msgstr "Valeurs de case à cocher"
|
msgstr "Valeurs de case à cocher"
|
||||||
@ -1170,6 +1174,7 @@ msgstr "Veuillez confirmer votre adresse email"
|
|||||||
msgid "Please try again or contact our support."
|
msgid "Please try again or contact our support."
|
||||||
msgstr "Veuillez réessayer ou contacter notre support."
|
msgstr "Veuillez réessayer ou contacter notre support."
|
||||||
|
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:57
|
||||||
#: packages/ui/primitives/template-flow/add-template-fields.tsx:768
|
#: packages/ui/primitives/template-flow/add-template-fields.tsx:768
|
||||||
msgid "Radio"
|
msgid "Radio"
|
||||||
msgstr "Radio"
|
msgstr "Radio"
|
||||||
@ -1291,6 +1296,7 @@ msgid "Search languages..."
|
|||||||
msgstr "Rechercher des langues..."
|
msgstr "Rechercher des langues..."
|
||||||
|
|
||||||
#: packages/ui/primitives/document-flow/field-items-advanced-settings/dropdown-field.tsx:115
|
#: packages/ui/primitives/document-flow/field-items-advanced-settings/dropdown-field.tsx:115
|
||||||
|
#: packages/ui/primitives/document-flow/types.ts:59
|
||||||
msgid "Select"
|
msgid "Select"
|
||||||
msgstr "Sélectionner"
|
msgstr "Sélectionner"
|
||||||
|
|
||||||
@ -1808,4 +1814,3 @@ msgstr "Votre mot de passe a été mis à jour."
|
|||||||
#: packages/email/templates/team-delete.tsx:32
|
#: packages/email/templates/team-delete.tsx:32
|
||||||
msgid "Your team has been deleted"
|
msgid "Your team has been deleted"
|
||||||
msgstr "Votre équipe a été supprimée"
|
msgstr "Votre équipe a été supprimée"
|
||||||
|
|
||||||
|
|||||||
@ -602,4 +602,3 @@ msgstr "Vous pouvez auto-héberger Documenso gratuitement ou utiliser notre vers
|
|||||||
#: apps/marketing/src/components/(marketing)/carousel.tsx:272
|
#: apps/marketing/src/components/(marketing)/carousel.tsx:272
|
||||||
msgid "Your browser does not support the video tag."
|
msgid "Your browser does not support the video tag."
|
||||||
msgstr "Votre navigateur ne prend pas en charge la balise vidéo."
|
msgstr "Votre navigateur ne prend pas en charge la balise vidéo."
|
||||||
|
|
||||||
|
|||||||
@ -50,15 +50,15 @@ msgstr "\"{placeholderEmail}\" au nom de \"{0}\" vous a invité à signer \"exem
|
|||||||
msgid "\"{teamUrl}\" has invited you to sign \"example document\"."
|
msgid "\"{teamUrl}\" has invited you to sign \"example document\"."
|
||||||
msgstr "\"{teamUrl}\" vous a invité à signer \"example document\"."
|
msgstr "\"{teamUrl}\" vous a invité à signer \"example document\"."
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:79
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:80
|
||||||
msgid "({0}) has invited you to approve this document"
|
msgid "({0}) has invited you to approve this document"
|
||||||
msgstr "({0}) vous a invité à approuver ce document"
|
msgstr "({0}) vous a invité à approuver ce document"
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:76
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:77
|
||||||
msgid "({0}) has invited you to sign this document"
|
msgid "({0}) has invited you to sign this document"
|
||||||
msgstr "({0}) vous a invité à signer ce document"
|
msgstr "({0}) vous a invité à signer ce document"
|
||||||
|
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:73
|
#: apps/web/src/app/(signing)/sign/[token]/signing-page-view.tsx:74
|
||||||
msgid "({0}) has invited you to view this document"
|
msgid "({0}) has invited you to view this document"
|
||||||
msgstr "({0}) vous a invité à consulter ce document"
|
msgstr "({0}) vous a invité à consulter ce document"
|
||||||
|
|
||||||
@ -84,6 +84,10 @@ msgstr "{0, plural, one {# siège} other {# sièges}}"
|
|||||||
msgid "{0, plural, one {<0>You have <1>1</1> pending team invitation</0>} other {<2>You have <3>#</3> pending team invitations</2>}}"
|
msgid "{0, plural, one {<0>You have <1>1</1> pending team invitation</0>} other {<2>You have <3>#</3> pending team invitations</2>}}"
|
||||||
msgstr "{0, plural, one {<0>Vous avez <1>1</1> invitation d'équipe en attente</0>} other {<2>Vous avez <3>#</3> invitations d'équipe en attente</2>}}"
|
msgstr "{0, plural, one {<0>Vous avez <1>1</1> invitation d'équipe en attente</0>} other {<2>Vous avez <3>#</3> invitations d'équipe en attente</2>}}"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:196
|
||||||
|
msgid "{0, plural, one {1 matching field} other {# matching fields}}"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/documents/[id]/edit/document-edit-page-view.tsx:129
|
#: apps/web/src/app/(dashboard)/documents/[id]/edit/document-edit-page-view.tsx:129
|
||||||
msgid "{0, plural, one {1 Recipient} other {# Recipients}}"
|
msgid "{0, plural, one {1 Recipient} other {# Recipients}}"
|
||||||
msgstr "{0, plural, one {1 Destinataire} other {# Destinataires}}"
|
msgstr "{0, plural, one {1 Destinataire} other {# Destinataires}}"
|
||||||
@ -96,6 +100,10 @@ msgstr "{0, plural, one {En attente d'1 destinataire} other {En attente de # des
|
|||||||
msgid "{0, plural, zero {Select values} other {# selected...}}"
|
msgid "{0, plural, zero {Select values} other {# selected...}}"
|
||||||
msgstr "{0, plural, zero {Sélectionner des valeurs} other {# sélectionnées...}}"
|
msgstr "{0, plural, zero {Sélectionner des valeurs} other {# sélectionnées...}}"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:193
|
||||||
|
msgid "{0}"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:249
|
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:249
|
||||||
msgid "{0} direct signing templates"
|
msgid "{0} direct signing templates"
|
||||||
msgstr "{0} modèles de signature directe"
|
msgstr "{0} modèles de signature directe"
|
||||||
@ -474,6 +482,10 @@ msgstr "Une erreur est survenue lors de l'ajout de signataires."
|
|||||||
msgid "An error occurred while adding the fields."
|
msgid "An error occurred while adding the fields."
|
||||||
msgstr "Une erreur est survenue lors de l'ajout des champs."
|
msgstr "Une erreur est survenue lors de l'ajout des champs."
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:154
|
||||||
|
msgid "An error occurred while auto-signing the document, some fields may not be signed. Please review and manually sign any remaining fields."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:176
|
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:176
|
||||||
msgid "An error occurred while creating document from template."
|
msgid "An error occurred while creating document from template."
|
||||||
msgstr "Une erreur est survenue lors de la création du document à partir d'un modèle."
|
msgstr "Une erreur est survenue lors de la création du document à partir d'un modèle."
|
||||||
@ -748,7 +760,7 @@ msgstr "Bannière mise à jour"
|
|||||||
msgid "Basic details"
|
msgid "Basic details"
|
||||||
msgstr "Détails de base"
|
msgstr "Détails de base"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:72
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:74
|
||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/billing/page.tsx:61
|
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/billing/page.tsx:61
|
||||||
#: apps/web/src/components/(dashboard)/settings/layout/desktop-nav.tsx:117
|
#: apps/web/src/components/(dashboard)/settings/layout/desktop-nav.tsx:117
|
||||||
#: apps/web/src/components/(dashboard)/settings/layout/mobile-nav.tsx:120
|
#: apps/web/src/components/(dashboard)/settings/layout/mobile-nav.tsx:120
|
||||||
@ -810,6 +822,7 @@ msgstr "En utilisant la fonctionnalité de signature électronique, vous consent
|
|||||||
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:78
|
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:78
|
||||||
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:119
|
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:119
|
||||||
#: apps/web/src/app/(dashboard)/templates/template-direct-link-dialog.tsx:472
|
#: apps/web/src/app/(dashboard)/templates/template-direct-link-dialog.tsx:472
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:220
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:178
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:178
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-account.tsx:71
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-account.tsx:71
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-passkey.tsx:164
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-passkey.tsx:164
|
||||||
@ -1799,6 +1812,7 @@ msgstr "Entrez votre texte ici"
|
|||||||
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:51
|
#: apps/web/src/app/(dashboard)/templates/duplicate-template-dialog.tsx:51
|
||||||
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:56
|
#: apps/web/src/app/(dashboard)/templates/move-template-dialog.tsx:56
|
||||||
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:175
|
#: apps/web/src/app/(dashboard)/templates/use-template-dialog.tsx:175
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:152
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:122
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:122
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:151
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:151
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:212
|
#: apps/web/src/app/(signing)/sign/[token]/checkbox-field.tsx:212
|
||||||
@ -2230,6 +2244,10 @@ msgstr "Gérer toutes les équipes avec lesquelles vous êtes actuellement assoc
|
|||||||
msgid "Manage and view template"
|
msgid "Manage and view template"
|
||||||
msgstr "Gérer et afficher le modèle"
|
msgstr "Gérer et afficher le modèle"
|
||||||
|
|
||||||
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:136
|
||||||
|
msgid "Manage billing"
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:341
|
#: apps/web/src/components/templates/manage-public-template-dialog.tsx:341
|
||||||
msgid "Manage details for this public template"
|
msgid "Manage details for this public template"
|
||||||
msgstr "Gérer les détails de ce modèle public"
|
msgstr "Gérer les détails de ce modèle public"
|
||||||
@ -2250,7 +2268,7 @@ msgstr "Gérer les clés d'accès"
|
|||||||
msgid "Manage subscription"
|
msgid "Manage subscription"
|
||||||
msgstr "Gérer l'abonnement"
|
msgstr "Gérer l'abonnement"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:66
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:67
|
||||||
msgid "Manage Subscription"
|
msgid "Manage Subscription"
|
||||||
msgstr "Gérer l'abonnement"
|
msgstr "Gérer l'abonnement"
|
||||||
|
|
||||||
@ -3175,6 +3193,7 @@ msgstr "Afficher des modèles dans le profil public de votre équipe pour que vo
|
|||||||
#: apps/web/src/app/(dashboard)/documents/data-table-action-button.tsx:114
|
#: apps/web/src/app/(dashboard)/documents/data-table-action-button.tsx:114
|
||||||
#: apps/web/src/app/(dashboard)/documents/data-table-action-dropdown.tsx:139
|
#: apps/web/src/app/(dashboard)/documents/data-table-action-dropdown.tsx:139
|
||||||
#: apps/web/src/app/(profile)/p/[url]/page.tsx:192
|
#: apps/web/src/app/(profile)/p/[url]/page.tsx:192
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:229
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:182
|
#: apps/web/src/app/(signing)/sign/[token]/document-action-auth-2fa.tsx:182
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/name-field.tsx:224
|
#: apps/web/src/app/(signing)/sign/[token]/name-field.tsx:224
|
||||||
#: apps/web/src/app/(signing)/sign/[token]/sign-dialog.tsx:124
|
#: apps/web/src/app/(signing)/sign/[token]/sign-dialog.tsx:124
|
||||||
@ -3331,7 +3350,7 @@ msgstr "Paramètres du site"
|
|||||||
#: apps/web/src/app/(dashboard)/documents/delete-document-dialog.tsx:80
|
#: apps/web/src/app/(dashboard)/documents/delete-document-dialog.tsx:80
|
||||||
#: apps/web/src/app/(dashboard)/documents/duplicate-document-dialog.tsx:72
|
#: apps/web/src/app/(dashboard)/documents/duplicate-document-dialog.tsx:72
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-plans.tsx:62
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-plans.tsx:62
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:50
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:51
|
||||||
#: apps/web/src/app/(dashboard)/settings/public-profile/public-profile-page-view.tsx:124
|
#: apps/web/src/app/(dashboard)/settings/public-profile/public-profile-page-view.tsx:124
|
||||||
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:73
|
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:73
|
||||||
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:93
|
#: apps/web/src/app/(dashboard)/settings/security/passkeys/user-passkeys-data-table-actions.tsx:93
|
||||||
@ -4451,7 +4470,7 @@ msgstr "Vous voulez envoyer des liens de signature élégants comme celui-ci ? <
|
|||||||
msgid "Want your own public profile?"
|
msgid "Want your own public profile?"
|
||||||
msgstr "Vous voulez votre propre profil public ?"
|
msgstr "Vous voulez votre propre profil public ?"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:40
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:41
|
||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/layout-billing-banner.tsx:55
|
#: apps/web/src/app/(teams)/t/[teamUrl]/layout-billing-banner.tsx:55
|
||||||
#: apps/web/src/components/(teams)/team-billing-portal-button.tsx:31
|
#: apps/web/src/components/(teams)/team-billing-portal-button.tsx:31
|
||||||
msgid "We are unable to proceed to the billing portal at this time. Please try again, or contact support."
|
msgid "We are unable to proceed to the billing portal at this time. Please try again, or contact support."
|
||||||
@ -4715,6 +4734,10 @@ msgstr "Essayiez-vous d'éditer ce document à la place ?"
|
|||||||
msgid "When you click continue, you will be prompted to add the first available authenticator on your system."
|
msgid "When you click continue, you will be prompted to add the first available authenticator on your system."
|
||||||
msgstr "Lorsque vous cliquez sur continuer, vous serez invité à ajouter le premier authentificateur disponible sur votre système."
|
msgstr "Lorsque vous cliquez sur continuer, vous serez invité à ajouter le premier authentificateur disponible sur votre système."
|
||||||
|
|
||||||
|
#: apps/web/src/app/(signing)/sign/[token]/auto-sign.tsx:183
|
||||||
|
msgid "When you sign a document, we can automatically fill in and sign the following fields using information that has already been provided. You can also manually sign or remove any automatically signed fields afterwards if you desire."
|
||||||
|
msgstr ""
|
||||||
|
|
||||||
#: apps/web/src/app/(unauthenticated)/articles/signature-disclosure/page.tsx:36
|
#: apps/web/src/app/(unauthenticated)/articles/signature-disclosure/page.tsx:36
|
||||||
msgid "When you use our platform to affix your electronic signature to documents, you are consenting to do so under the Electronic Signatures in Global and National Commerce Act (E-Sign Act) and other applicable laws. This action indicates your agreement to use electronic means to sign documents and receive notifications."
|
msgid "When you use our platform to affix your electronic signature to documents, you are consenting to do so under the Electronic Signatures in Global and National Commerce Act (E-Sign Act) and other applicable laws. This action indicates your agreement to use electronic means to sign documents and receive notifications."
|
||||||
msgstr "Lorsque vous utilisez notre plateforme pour apposer votre signature électronique sur des documents, vous consentez à le faire conformément à la loi sur les signatures électroniques dans le commerce mondial et national (E-Sign Act) et aux autres lois applicables. Cette action indique votre accord à utiliser des moyens électroniques pour signer des documents et recevoir des notifications."
|
msgstr "Lorsque vous utilisez notre plateforme pour apposer votre signature électronique sur des documents, vous consentez à le faire conformément à la loi sur les signatures électroniques dans le commerce mondial et national (E-Sign Act) et aux autres lois applicables. Cette action indique votre accord à utiliser des moyens électroniques pour signer des documents et recevoir des notifications."
|
||||||
@ -4784,7 +4807,7 @@ msgstr "Vous êtes sur le point de supprimer l'utilisateur suivant de <0>{teamNa
|
|||||||
msgid "You are about to revoke access for team <0>{0}</0> ({1}) to use your email."
|
msgid "You are about to revoke access for team <0>{0}</0> ({1}) to use your email."
|
||||||
msgstr "Vous êtes sur le point de révoquer l'accès de l'équipe <0>{0}</0> ({1}) à votre e-mail."
|
msgstr "Vous êtes sur le point de révoquer l'accès de l'équipe <0>{0}</0> ({1}) à votre e-mail."
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:78
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:80
|
||||||
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 le <0>Plan Gratuit</0>."
|
msgstr "Vous êtes actuellement sur le <0>Plan Gratuit</0>."
|
||||||
|
|
||||||
@ -4836,7 +4859,7 @@ msgstr "Vous ne pouvez pas modifier un membre de l'équipe qui a un rôle plus
|
|||||||
msgid "You cannot upload encrypted PDFs"
|
msgid "You cannot upload encrypted PDFs"
|
||||||
msgstr "Vous ne pouvez pas télécharger de PDF cryptés"
|
msgstr "Vous ne pouvez pas télécharger de PDF cryptés"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:45
|
#: apps/web/src/app/(dashboard)/settings/billing/billing-portal-button.tsx:46
|
||||||
msgid "You do not currently have a customer record, this should not happen. Please contact support for assistance."
|
msgid "You do not currently have a customer record, this should not happen. Please contact support for assistance."
|
||||||
msgstr "Vous n'avez actuellement pas de dossier client, cela ne devrait pas se produire. Veuillez contacter le support pour obtenir de l'aide."
|
msgstr "Vous n'avez actuellement pas de dossier client, cela ne devrait pas se produire. Veuillez contacter le support pour obtenir de l'aide."
|
||||||
|
|
||||||
@ -4982,7 +5005,7 @@ msgstr "L'URL de votre site web de marque"
|
|||||||
msgid "Your branding preferences have been updated"
|
msgid "Your branding preferences have been updated"
|
||||||
msgstr "Vos préférences de branding ont été mises à jour"
|
msgstr "Vos préférences de branding ont été mises à jour"
|
||||||
|
|
||||||
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:119
|
#: apps/web/src/app/(dashboard)/settings/billing/page.tsx:125
|
||||||
msgid "Your current plan is past due. Please update your payment information."
|
msgid "Your current plan is past due. Please update your payment information."
|
||||||
msgstr "Votre plan actuel est en retard. Veuillez mettre à jour vos informations de paiement."
|
msgstr "Votre plan actuel est en retard. Veuillez mettre à jour vos informations de paiement."
|
||||||
|
|
||||||
@ -5117,4 +5140,3 @@ msgstr "Votre jeton a été créé avec succès ! Assurez-vous de le copier car
|
|||||||
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/tokens/page.tsx:86
|
#: apps/web/src/app/(teams)/t/[teamUrl]/settings/tokens/page.tsx:86
|
||||||
msgid "Your tokens will be shown here once you create them."
|
msgid "Your tokens will be shown here once you create them."
|
||||||
msgstr "Vos jetons seront affichés ici une fois que vous les aurez créés."
|
msgstr "Vos jetons seront affichés ici une fois que vous les aurez créés."
|
||||||
|
|
||||||
|
|||||||
@ -113,7 +113,7 @@ const DialogTitle = React.forwardRef<
|
|||||||
>(({ className, ...props }, ref) => (
|
>(({ className, ...props }, ref) => (
|
||||||
<DialogPrimitive.Title
|
<DialogPrimitive.Title
|
||||||
ref={ref}
|
ref={ref}
|
||||||
className={cn('truncate text-lg font-semibold leading-none tracking-tight', className)}
|
className={cn('truncate text-lg font-semibold tracking-tight', className)}
|
||||||
{...props}
|
{...props}
|
||||||
/>
|
/>
|
||||||
));
|
));
|
||||||
|
|||||||
@ -45,7 +45,7 @@ export const ZDocumentFlowFormSchema = z.object({
|
|||||||
|
|
||||||
export type TDocumentFlowFormSchema = z.infer<typeof ZDocumentFlowFormSchema>;
|
export type TDocumentFlowFormSchema = z.infer<typeof ZDocumentFlowFormSchema>;
|
||||||
|
|
||||||
export const FRIENDLY_FIELD_TYPE: Record<FieldType, MessageDescriptor | string> = {
|
export const FRIENDLY_FIELD_TYPE: Record<FieldType, MessageDescriptor> = {
|
||||||
[FieldType.SIGNATURE]: msg`Signature`,
|
[FieldType.SIGNATURE]: msg`Signature`,
|
||||||
[FieldType.FREE_SIGNATURE]: msg`Free Signature`,
|
[FieldType.FREE_SIGNATURE]: msg`Free Signature`,
|
||||||
[FieldType.INITIALS]: msg`Initials`,
|
[FieldType.INITIALS]: msg`Initials`,
|
||||||
@ -54,9 +54,9 @@ export const FRIENDLY_FIELD_TYPE: Record<FieldType, MessageDescriptor | string>
|
|||||||
[FieldType.EMAIL]: msg`Email`,
|
[FieldType.EMAIL]: msg`Email`,
|
||||||
[FieldType.NAME]: msg`Name`,
|
[FieldType.NAME]: msg`Name`,
|
||||||
[FieldType.NUMBER]: msg`Number`,
|
[FieldType.NUMBER]: msg`Number`,
|
||||||
[FieldType.RADIO]: `Radio`,
|
[FieldType.RADIO]: msg`Radio`,
|
||||||
[FieldType.CHECKBOX]: `Checkbox`,
|
[FieldType.CHECKBOX]: msg`Checkbox`,
|
||||||
[FieldType.DROPDOWN]: `Select`,
|
[FieldType.DROPDOWN]: msg`Select`,
|
||||||
};
|
};
|
||||||
|
|
||||||
export interface DocumentFlowStep {
|
export interface DocumentFlowStep {
|
||||||
|
|||||||
Reference in New Issue
Block a user