mirror of
https://github.com/TryGhost/Ghost.git
synced 2025-03-11 02:12:21 -05:00
Added missing translation entries for Portal field placeholders, labels, and errors (#20858)
no issue - added `t()` around static strings to allow them to be translated - updated translation files, with context provided in `context.json`
This commit is contained in:
parent
76f9b7982b
commit
c689414497
51 changed files with 385 additions and 21 deletions
|
@ -1,6 +1,6 @@
|
|||
{
|
||||
"name": "@tryghost/portal",
|
||||
"version": "2.42.1",
|
||||
"version": "2.42.2",
|
||||
"license": "MIT",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
|
|
|
@ -41,7 +41,7 @@ export default class AccountProfilePage extends React.Component {
|
|||
e.preventDefault();
|
||||
this.setState((state) => {
|
||||
return {
|
||||
errors: ValidateInputForm({fields: this.getInputFields({state})})
|
||||
errors: ValidateInputForm({fields: this.getInputFields({state}), t: this.context.t})
|
||||
};
|
||||
}, () => {
|
||||
const {email, name, errors} = this.state;
|
||||
|
@ -141,7 +141,7 @@ export default class AccountProfilePage extends React.Component {
|
|||
{
|
||||
type: 'text',
|
||||
value: state.name,
|
||||
placeholder: 'Jamie Larson',
|
||||
placeholder: t('Jamie Larson'),
|
||||
label: t('Name'),
|
||||
name: 'name',
|
||||
required: true,
|
||||
|
@ -150,7 +150,7 @@ export default class AccountProfilePage extends React.Component {
|
|||
{
|
||||
type: 'email',
|
||||
value: state.email,
|
||||
placeholder: 'jamie@example.com',
|
||||
placeholder: t('jamie@example.com'),
|
||||
label: t('Email'),
|
||||
name: 'email',
|
||||
required: true,
|
||||
|
|
|
@ -166,7 +166,7 @@ export default class OfferPage extends React.Component {
|
|||
const checkboxError = checkboxRequired && !state.termsCheckboxChecked;
|
||||
|
||||
return {
|
||||
...ValidateInputForm({fields: this.getInputFields({state})}),
|
||||
...ValidateInputForm({fields: this.getInputFields({state}), t: this.context.t}),
|
||||
checkbox: checkboxError
|
||||
};
|
||||
}
|
||||
|
@ -201,7 +201,7 @@ export default class OfferPage extends React.Component {
|
|||
fields.unshift({
|
||||
type: 'text',
|
||||
value: member?.name || state.name,
|
||||
placeholder: 'Jamie Larson',
|
||||
placeholder: t('Jamie Larson'),
|
||||
label: t('Name'),
|
||||
name: 'name',
|
||||
disabled: !!member,
|
||||
|
|
|
@ -31,7 +31,7 @@ export default class SigninPage extends React.Component {
|
|||
e.preventDefault();
|
||||
this.setState((state) => {
|
||||
return {
|
||||
errors: ValidateInputForm({fields: this.getInputFields({state})})
|
||||
errors: ValidateInputForm({fields: this.getInputFields({state}), t: this.context.t})
|
||||
};
|
||||
}, async () => {
|
||||
const {email, phonenumber, errors} = this.state;
|
||||
|
|
|
@ -385,7 +385,7 @@ class SignupPage extends React.Component {
|
|||
const checkboxError = checkboxRequired && !state.termsCheckboxChecked;
|
||||
|
||||
return {
|
||||
...ValidateInputForm({fields: this.getInputFields({state})}),
|
||||
...ValidateInputForm({fields: this.getInputFields({state}), t: this.context.t}),
|
||||
checkbox: checkboxError
|
||||
};
|
||||
}
|
||||
|
@ -478,7 +478,7 @@ class SignupPage extends React.Component {
|
|||
{
|
||||
type: 'email',
|
||||
value: state.email,
|
||||
placeholder: 'jamie@example.com',
|
||||
placeholder: t('jamie@example.com'),
|
||||
label: t('Email'),
|
||||
name: 'email',
|
||||
required: true,
|
||||
|
@ -488,9 +488,9 @@ class SignupPage extends React.Component {
|
|||
{
|
||||
type: 'text',
|
||||
value: state.phonenumber,
|
||||
placeholder: '+1 (123) 456-7890',
|
||||
placeholder: t('+1 (123) 456-7890'),
|
||||
// Doesn't need translation, hidden field
|
||||
label: 'Phone number',
|
||||
label: t('Phone number'),
|
||||
name: 'phonenumber',
|
||||
required: false,
|
||||
tabindex: -1,
|
||||
|
@ -504,7 +504,7 @@ class SignupPage extends React.Component {
|
|||
fields.unshift({
|
||||
type: 'text',
|
||||
value: state.name,
|
||||
placeholder: 'Jamie Larson',
|
||||
placeholder: t('Jamie Larson'),
|
||||
label: t('Name'),
|
||||
name: 'name',
|
||||
required: true,
|
||||
|
|
|
@ -1,31 +1,37 @@
|
|||
import * as Validator from './validator';
|
||||
|
||||
export const FormInputError = ({field}) => {
|
||||
export const FormInputError = ({field, t}) => {
|
||||
if (field.required && !field.value) {
|
||||
switch (field.name) {
|
||||
case 'name':
|
||||
return `Enter your name`;
|
||||
|
||||
return t(`Enter your name`);
|
||||
|
||||
case 'email':
|
||||
return `Enter your email address`;
|
||||
return t(`Enter your email address`);
|
||||
|
||||
default:
|
||||
return `Please enter ${field.name}`;
|
||||
return t(`Please enter {{fieldName}}`, {fieldName: field.name});
|
||||
}
|
||||
}
|
||||
|
||||
if (field.type === 'email' && !Validator.isValidEmail(field.value)) {
|
||||
return `Invalid email address`;
|
||||
return t(`Invalid email address`);
|
||||
}
|
||||
return null;
|
||||
};
|
||||
|
||||
export const ValidateInputForm = ({fields}) => {
|
||||
/**
|
||||
* Validate input fields
|
||||
* @param {Array} fields
|
||||
* @param {Function} t
|
||||
* @returns {Object} errors
|
||||
*/
|
||||
export const ValidateInputForm = ({fields, t}) => {
|
||||
const errors = {};
|
||||
fields.forEach((field) => {
|
||||
const name = field.name;
|
||||
const fieldError = FormInputError({field});
|
||||
const fieldError = FormInputError({field, t});
|
||||
errors[name] = fieldError;
|
||||
});
|
||||
return errors;
|
||||
};
|
||||
};
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} sal nie meer e-posse ontvang wanneer iemand op u kommentaar reageer nie.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} sal nie meer hierdie nuusbrief ontvang nie.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dae gratis",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "'n Aanmeldskakel is na u epos gestuur. As dit nie binne 3 minute aankom nie, moet u asseblief u spam-vouer nagaan.",
|
||||
"Account": "Rekening",
|
||||
"Account settings": "Rekening instellings",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-posse",
|
||||
"Emails disabled": "E-posse afgeskakel",
|
||||
"Ends {{offerEndDate}}": "Eindig {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Fout",
|
||||
"Expires {{expiryDate}}": "Verval {{expiryDate}}",
|
||||
"Forever": "Verewig",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "As u al hierdie kontroles voltooi het en u steeds nie e-posse ontvang nie, kan u hulp kry deur {{supportAddress}} te kontak.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "In die geval dat 'n permanente fout ontvang word wanneer 'n nuusbrief gestuur word, sal e-posse op die rekening afgeskakel word.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "In u e-pos program, voeg {{senderEmail}} by u kontaklys. Dit dui aan u e-posverskaffer aan dat e-posse wat van hierdie adres gestuur word, vertrou moet word.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Minder soos hierdie",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Maak seker dat e-posse nie per ongeluk in die Spam of Promosies vouers van u posbus beland nie. As dit wel is, kliek op \"Mark as not spam\" en/of \"Move to inbox\".",
|
||||
"Manage": "Bestuur",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Kyk nou u e-pos!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "As u weer ingeskryf is, en u sien steeds nie e-posse in u posbus nie, kontroleer u spam vouer. Sommige posbusverskaffers hou 'n rekord van vorige spam klagtes en sal steeds e-posse merk. As dit gebeur, merk die nuutste nuusbrief as 'Not spam' om dit terug te skuif na u primêre posbus.",
|
||||
"Permanent failure (bounce)": "Permanente fout (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plan",
|
||||
"Plan checkout was cancelled.": "Plan afreken is gekanselleer.",
|
||||
"Plan upgrade was cancelled.": "Plan opgradering is gekanselleer.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Kontak {{supportAddress}} om jou komplimentêre intekening aan te pas.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Vul asseblief die verpligte velde in",
|
||||
"Price": "Prys",
|
||||
"Re-enable emails": "Her-aktiveer eposse",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} повече няма да получава имейли, когато някой отговаря на ваш коментар.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} повече няма да получава този бюлетин.",
|
||||
"{{trialDays}} days free": "{{trialDays}} дни безплатен достъп",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Изпратен Ви е имейл с препратка за влизане. Ако не пристигне до 3 минути, проверете дали не е категоризиран като нежелано писмо.",
|
||||
"Account": "Профил",
|
||||
"Account settings": "Настройки на профила Ви",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Имейли",
|
||||
"Emails disabled": "Писмата са преустновени",
|
||||
"Ends {{offerEndDate}}": "До {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Грешка",
|
||||
"Expires {{expiryDate}}": "Изтича {{expiryDate}}",
|
||||
"Forever": "Завинаги",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Ако сте извършили всички тези проверки и все още не получавате имейли, можете да се свържете с поддръжката на {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "В случай че при опит за изпращане на бюлетин се получава някакъв постоянен проблем, имейлите ще бъдат деактивирани в акаунта.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Добавете {{senderEmail}} в списъка си с контакти. Това сигнализира на вашия доставчик, че имейлите, изпратени от този адрес са надеждни.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "По-малко такива",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Уверете се, че имейлите не попадат случайно в папките Спам или Промоции на входящата ви поща. Ако това е така, щракнете върху \"Не е спам\" и/или \"Премести във входяща поща\".",
|
||||
"Manage": "Управлявай",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Проверете си пощенската кутия!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "След като се абонирате отново, ако все още не виждате имейли във входящата си поща, проверете папката за спам. Някои доставчици пазят история с предишни оплаквания за спам и ще продължат да маркират имейлите. Ако вашият случай е такъв, маркирайте последния бюлетин като 'Не е спам', за да го преместите обратно в основната си пощенска кутия.",
|
||||
"Permanent failure (bounce)": "Постоянен проблем (отскок)",
|
||||
"Phone number": "",
|
||||
"Plan": "План",
|
||||
"Plan checkout was cancelled.": "Плащането на плана е прекъснато.",
|
||||
"Plan upgrade was cancelled.": "Надграждането на плана е прекъснато.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Моля, попълнете задължителните полета",
|
||||
"Price": "Цена",
|
||||
"Re-enable emails": "Позволете отново изпращането на писма",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} više neće primati Email kada neko odgovori na tvoje komentare.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} više neće primati ovaj newsletter.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dana besplatno",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Link za prijavu poslan je na tvoju Email adresu. Ako ne stigne u roku od 3 minute, provjeri spam folder.",
|
||||
"Account": "Račun",
|
||||
"Account settings": "Postavke računa",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Email adrese",
|
||||
"Emails disabled": "Onemogućene Email adrese",
|
||||
"Ends {{offerEndDate}}": "Završava {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Greška",
|
||||
"Expires {{expiryDate}}": "Ističe {{expiryDate}}",
|
||||
"Forever": "Zauvijek",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Ako i nakon gore navedenih provjera ne dobijaš Email poruke za željeni newsletter, kontaktiraj podršku: {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "U slučaju da se greške prilikom slanja nastave, Email poruke će se onemogućiti na nivou računa.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Dodaj {{senderEmail}} u kontakte. To vašem pružatelju usluga e-pošte daje do znanja da je pošta sa te adrese sigurna.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Manje sličnog sadržaja",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Provjeri jesu li se Email poruke slučajno završile u spam folderu ili promocijama vašeg poštanskog sandučića. Ako jesu, označite ih kao sigurne i/ili ih premjestite u glavni sandučić.",
|
||||
"Manage": "Upravljaj",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Provjeri svoju Email adresu!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Nakon što se ponovno pretplatite, ako još uvijek ne vidiš Email u svom inboxu, provjeri spam folder. Neki pružatelji Email usluga čuvaju zapis prethodnih pritužbi na spam i nastavit će ih označavati kao takve. Ako se to dogodi, označite najnoviji newsletter Email kao \"Nije neželjena pošta\" da biste ga vratili u primarni inbox.",
|
||||
"Permanent failure (bounce)": "Trajna greška (odbacivanje nakon više neuspjelih pokušaja)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plan",
|
||||
"Plan checkout was cancelled.": "Plaćanje plana je otkazano.",
|
||||
"Plan upgrade was cancelled.": "Ažuriranje plana je otkazano.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Kontaktiraj {{supportAddress}} za prilagođavanje besplatne pretplate.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Popuni obavezna polja",
|
||||
"Price": "Cijena",
|
||||
"Re-enable emails": "Ponovno omogući Email poruke",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} no rebrà cap correu electrònic quan algú respongui els teus comentaris.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} ja no rebrà aquest butlletí.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dies de franc",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "S'ha enviat un enllaç d'inici de sessió al teu correu electrònic. Si no t'arriba en 3 minuts, reivsa la teva carpeta de correu brossa.",
|
||||
"Account": "Compte",
|
||||
"Account settings": "Configuració del compte",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Correus electrònics",
|
||||
"Emails disabled": "Correus electrònics desactivats",
|
||||
"Ends {{offerEndDate}}": "Finalitza el {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Error",
|
||||
"Expires {{expiryDate}}": "Expira el {{expiryDate}}",
|
||||
"Forever": "per sempre",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Si heu completat totes aquestes comprovacions i encara no rebeu correus electrònics, podeu contactar amb {{supportAddress}} per obtenir assistència.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "En cas que es rebi un error permanent en intentar enviar un butlletí, els correus electrònics es desactivaran al compte.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Afegiu {{senderEmail}} al vostre client de correu electrònic a la vostra llista de contactes. Això indica al vostre proveïdor de correu que els correus electrònics enviats des d'aquesta adreça haurien de ser de confiança.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Menys com aquesta",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Assegureu-vos que els correus electrònics no acabin accidentalment a les carpetes Correu brossa o Promocions de la vostra safata d'entrada. Si ho són, feu clic a \"Marca com a correu brossa\" i/o a \"Mou a la safata d'entrada\".",
|
||||
"Manage": "Gestionar",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Revisar ara el teu correu electrònic!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Un cop us torneu a subscriure, si encara no veieu correus electrònics a la vostra safata d'entrada, comproveu la vostra carpeta de correu brossa. Alguns proveïdors de safates d'entrada mantenen un registre de les queixes de correu brossa anteriors i continuaran marcant els correus electrònics. Si això passa, marqueu el darrer butlletí com a \"No és correu brossa\". ' per tornar-lo a moure a la safata d'entrada principal.",
|
||||
"Permanent failure (bounce)": "Falla permanent (rebot)",
|
||||
"Phone number": "",
|
||||
"Plan": "Pla",
|
||||
"Plan checkout was cancelled.": "S'ha cancel·lat el pagament del pla.",
|
||||
"Plan upgrade was cancelled.": "S'ha cancel·lat l'actualització del pla.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Poseu-vos en contacte amb {{supportAddress}} per ajustar la vostra subscripció gratuïta.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Si us plau, ompliu els camps obligatoris",
|
||||
"Price": "Preu",
|
||||
"Re-enable emails": "Torna a activar els correus electrònics",
|
||||
|
|
|
@ -1,5 +1,6 @@
|
|||
{
|
||||
"(save {{highestYearlyDiscount}}%)": "",
|
||||
"+1 (123) 456-7890": "Placeholder for phone number input field",
|
||||
"1 comment": "Comment count displayed above the comments section in case there is only one",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "A message displayed during signup process.",
|
||||
"Account": "A label in Portal for your account area",
|
||||
|
@ -67,6 +68,7 @@
|
|||
"Emails": "A label for a list of emails",
|
||||
"Emails disabled": "Title for a message in portal telling members that they are not receiving emails, due to repeated delivery failures to their address",
|
||||
"Ends {{offerEndDate}}": "Label for an offer which expires",
|
||||
"Enter your email address": "Error message when an email address is missing",
|
||||
"Enter your name": "Placeholder input when editing your name in the comments app in the expertise dialog",
|
||||
"Error": "Status indicator for a notification",
|
||||
"Expertise": "Input label when editing your expertise in the comments app",
|
||||
|
@ -98,6 +100,7 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Paragraph in the email receiving FAQ",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Paragraph in the email suppression FAQ",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Paragraph in the email receiving FAQ",
|
||||
"Invalid email address": "Error message when a provided email address is invalid",
|
||||
"Jamie Larson": "An unisex name of a person we use in examples",
|
||||
"Join the discussion": "Placeholder value of the comments input box",
|
||||
"Just now": "Time indication when a comment has been posted 'just now'",
|
||||
|
@ -124,12 +127,14 @@
|
|||
"One week ago": "Time a comment was placed",
|
||||
"One year ago": "Time a comment was placed",
|
||||
"Permanent failure (bounce)": "A section title in the email suppression FAQ",
|
||||
"Phone number": "Label for phone number input",
|
||||
"Plan": "Label for the default subscription plan",
|
||||
"Plan checkout was cancelled.": "Notification for when a plan checkout was cancelled",
|
||||
"Plan upgrade was cancelled.": "Notification for when a plan upgrade was cancelled",
|
||||
"Please confirm your email address with this link:": "Descriptive text in signup emails, right before the button members click to confirm their address",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "A message to comped members when trying to change their subscription, but no other paid plans are available.",
|
||||
"Please enter a valid email address": "Err message when an email address is invalid",
|
||||
"Please enter {{fieldName}}": "Error message when a required field is missing",
|
||||
"Please fill in required fields": "Error message when a required field is missing",
|
||||
"Price": "A label to indicate price of a tier",
|
||||
"Re-enable emails": "A button for members to turn-back-on emails, if they have been previously disabled as a result of delivery failures",
|
||||
|
@ -243,6 +248,7 @@
|
|||
"Your subscription will expire on {{expiryDate}}": "A message indicating when the member's subscription will expire",
|
||||
"Your subscription will renew on {{renewalDate}}": "A message indicating when the member's subscription will be renewed",
|
||||
"Your subscription will start on {{subscriptionStart}}": "A message for trial users indicating when their subscription will start",
|
||||
"jamie@example.com": "Placeholder for email input field",
|
||||
"{{amount}} characters left": "Characters left, shown above the input field, when editing your expertise in the comments app",
|
||||
"{{amount}} comments": "Amount of comments on a post",
|
||||
"{{amount}} days ago": "Time a comment was placed",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "",
|
||||
"{{trialDays}} days free": "{{trialDays}} dní zdarma",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Odkaz pro přihlášení byl odeslán do vaší e-mailové schránky. Pokud nepřijde do 3 minut, zkontrolujte prosím svou složku nevyžádaných zpráv (spam).",
|
||||
"Account": "Účet",
|
||||
"Account settings": "Nastavení účtu",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-maily",
|
||||
"Emails disabled": "E-maily vypnuty",
|
||||
"Ends {{offerEndDate}}": "",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "",
|
||||
"Expires {{expiryDate}}": "",
|
||||
"Forever": "",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Méně podobných",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Spravovat",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Zkontrolujte svou e-mailovou schránku!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "",
|
||||
"Phone number": "",
|
||||
"Plan": "",
|
||||
"Plan checkout was cancelled.": "",
|
||||
"Plan upgrade was cancelled.": "",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "",
|
||||
"Price": "Cena",
|
||||
"Re-enable emails": "Znovu povolit e-maily",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} vil ikke længere modtage e-mails når nogen svarer på dine kommentarer.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} vil ikke længere modtage dette nyhedsbrev.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dage gratis",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Der er blevet sendt en link til din email, du kan bruge til at logge ind med. Hvis det ikke kommer frem indenfor 3 minutter, så tjek din spam mappe.",
|
||||
"Account": "Konto",
|
||||
"Account settings": "Kontoindstillinger",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-mails",
|
||||
"Emails disabled": "E-mails deaktiveret",
|
||||
"Ends {{offerEndDate}}": "Udløber {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Fejl",
|
||||
"Expires {{expiryDate}}": "Udløber {{expiryDate}}",
|
||||
"Forever": "For evigt",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Hvis du har gennemført alle disse checks, og du stadig ikke modtager e-mails, kan du kontakte {{supportAddress}} for at få hjælp.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "I tilfælde af, at der modtages en permanent fejl ved forsøg på at sende et nyhedsbrev, vil e-mails blive deaktiveret på kontoen.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Tilføj {{senderEmail}} til din kontaktliste i din e-mailklient. Dette signalerer til din e-mailudbyder, at e-mails sendt fra denne adresse skal være tillid til.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Mindre af dette",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Sørg for, at e-mails ikke ender i Spam eller Kampagner mapper i din indbakke. Hvis de gør, skal du klikke på \"Markér som ikke spam\" og/eller \"Flyt til indbakke\".",
|
||||
"Manage": "Administrer",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Tjek din e-mail!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Når du har tilmeldt dig igen, hvis du stadig ikke kan se e-mails i din indbakke, skal du tjekke din spam-mappe. Nogle e-mailudbydere registrerer tidligere spam-klager og vil blive ved med at markere e-mails. Hvis dette sker, skal du markere det seneste nyhedsbrev som 'Ikke spam' for at flytte det tilbage til din primære indbakke.",
|
||||
"Permanent failure (bounce)": "Permanent fejl (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Abonnement",
|
||||
"Plan checkout was cancelled.": "Abonnementsbetaling blev aflyst.",
|
||||
"Plan upgrade was cancelled.": "Opgradering af abonnement blev aflyst.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Kontakt venligst {{supportAddress}} for at ændre dit gratis abonnement.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Udfyld venligst påkrævede felter",
|
||||
"Price": "Pris",
|
||||
"Re-enable emails": "Genaktiver e-mails",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} wird keine weiteren E-Mail-Benachrichtigungen für Kommentar-Antworten erhalten.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} wird diesen Newsletter nicht länger erhalten.",
|
||||
"{{trialDays}} days free": "{{trialDays}} Tage kostenfrei",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Ein Login-Link wurde an deine E-Mail-Adresse gesendet. Falls die E-Mail nicht innerhalb von 3 Minuten ankommt, überprüfe bitte deinen Spam-Ordner.",
|
||||
"Account": "Konto",
|
||||
"Account settings": "Konto-Einstellungen",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-Mails",
|
||||
"Emails disabled": "E-Mails deaktiviert",
|
||||
"Ends {{offerEndDate}}": "Endet am {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Fehler",
|
||||
"Expires {{expiryDate}}": "Läuft am {{expiryDate}} ab",
|
||||
"Forever": "Für immer",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Wenn du all diese Punkte erledigt hast und immer noch keine E-Mails erhältst, kannst du Unterstützung erhalten, indem du dich an {{supportAddress}} wendest.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Im Falle eines dauerhaften Fehlers beim Versuch, einen Newsletter zu senden, werden die E-Mails auf dem Konto deaktiviert.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Füge in deinem E-Mail-Client {{senderEmail}} zu deiner Kontaktliste hinzu. Dies signalisiert deinem Mail-Anbieter, dass E-Mails von dieser Adresse vertrauenswürdig sind.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Weniger davon",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Stelle sicher, dass E-Mails nicht unbeabsichtigt im Spam-Ordner deines Posteingangs landen. Wenn das der Fall sein sollte, klicke auf \"Kein Spam\" und/oder \"In den Posteingang bewegen\".",
|
||||
"Manage": "Verwalten",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Überprüfe jetzt deinen Posteingang!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Wenn du nach der Registrierung immer noch keine E-Mails in deinem Posteingang siehst, überprüfen deinen Spam-Ordner. Einige E-Mail-Anbieter speichern frühere Spam-Beschwerden und kennzeichnen E-Mails weiterhin. Wenn dies der Fall ist, markiere den neuesten Newsletter als \"Kein Spam\", um ihn wieder in deinen Posteingang zu verschieben.",
|
||||
"Permanent failure (bounce)": "Permanenter Fehler (Bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Tarif",
|
||||
"Plan checkout was cancelled.": "Der Abschluss des Tarifs wurde abgebrochen.",
|
||||
"Plan upgrade was cancelled.": "Das Upgrade deines Tarifs wurde abgebrochen.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Bitte alle Pflichtfelder ausfüllen",
|
||||
"Price": "Preis",
|
||||
"Re-enable emails": "E-Mails wieder aktivieren",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "",
|
||||
"{{trialDays}} days free": "",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "",
|
||||
"Account": "",
|
||||
"Account settings": "",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "",
|
||||
"Emails disabled": "",
|
||||
"Ends {{offerEndDate}}": "",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "",
|
||||
"Expires {{expiryDate}}": "",
|
||||
"Forever": "",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "",
|
||||
"Phone number": "",
|
||||
"Plan": "",
|
||||
"Plan checkout was cancelled.": "",
|
||||
"Plan upgrade was cancelled.": "",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "",
|
||||
"Price": "",
|
||||
"Re-enable emails": "",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "",
|
||||
"{{trialDays}} days free": "{{trialDays}} tagoj senpagaj",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Sendis ensalutan ligilon al via enirkesto. Se ĝi ne alvenas post 3 minutoj, nepre kontrolu vian trudmesaĝdosieron.",
|
||||
"Account": "Konto",
|
||||
"Account settings": "Kontagordoj",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Retpoŝtoj",
|
||||
"Emails disabled": "Retpoŝtoj malŝaltitaj",
|
||||
"Ends {{offerEndDate}}": "",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "",
|
||||
"Expires {{expiryDate}}": "",
|
||||
"Forever": "",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Malpli tiel",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Administru",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Bonvolu kontroli vian retpoŝton nun!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "",
|
||||
"Phone number": "",
|
||||
"Plan": "",
|
||||
"Plan checkout was cancelled.": "",
|
||||
"Plan upgrade was cancelled.": "",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "",
|
||||
"Price": "Kosto",
|
||||
"Re-enable emails": "Reŝalti retpoŝtojn",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} ya no recibirá correos electrónicos cuando alguien responde a tus comentarios.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} ya no recibirá este boletín.",
|
||||
"{{trialDays}} days free": "{{trialDays}} días gratis",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Se ha enviado un enlace de inicio de sesión a tu correo. Si no llega en 3 minutos, revisa tu carpeta de spam.",
|
||||
"Account": "Cuenta",
|
||||
"Account settings": "Configuración de la cuenta",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Correos electrónicos",
|
||||
"Emails disabled": "Correos electrónicos desactivados",
|
||||
"Ends {{offerEndDate}}": "Termina el {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Error",
|
||||
"Expires {{expiryDate}}": "Expira el {{expiryDate}}",
|
||||
"Forever": "para siempre",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Si haz comprobado todo y aun así no estás recibiendo los correos electrónicos, puedes comunicarte con soporte técnico contactando a {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "En el caso de que haya un problema al intentar enviar el boletín, los correos electrónicos van a ser desabilitados en su cuenta.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Añade {{senderEmail}} a tu lista de contactos. Esto le indica a tu provedor de correo electrónico que puede confiar en esta dirección de correo.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Menos como esto",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Asegúrate de que los correos electrónicos no terminen accidentalmente en las carpetas de correo no deseado o promociones de su bandeja de entrada. Si lo son, haz clic en \"Marcar como no spam\" y/o \"Mover a la bandeja de entrada\".",
|
||||
"Manage": "Administrar",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "¡Ahora revisa tu correo electrónico!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Una vez que te hayas vuelto a suscribir, si aún no ves los correos electrónicos en tu bandeja de entrada, verifica tu carpeta de spam. Algunos proveedores de bandejas de entrada mantienen un registro de quejas de spam anteriores y continuarán marcando los correos electrónicos. Si esto sucede, marca el último boletín como \"No es spam\" para moverlo nuevamente a tu bandeja de entrada principal.",
|
||||
"Permanent failure (bounce)": "Fallo permanente (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plan",
|
||||
"Plan checkout was cancelled.": "El pago de plan fue cancelado.",
|
||||
"Plan upgrade was cancelled.": "La actualización de plan fue cancelada.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Por favor, ponte en contacto con {{supportAddress}} para ajustar tu suscripción gratuita.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Por favor llena los campos requeridos.",
|
||||
"Price": "Precio",
|
||||
"Re-enable emails": "Reactivar correos electrónicos",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "آدرس {{memberEmail}} دیگر زمانی که کسی به کامنت شما پاسخی بدهد، ایمیلی دریافت نخواهد کرد.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "آدرس {{memberEmail}} دیگر این خبرنامه را دریافت نخواهد کرد.",
|
||||
"{{trialDays}} days free": "{{trialDays}} روز رایگان",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "یک پیوند ورود برای ایمیل شما ارسال شد. در صورتی که به دست شما نرسید، پوشه اسپم خود را برررسی کنید",
|
||||
"Account": "حساب کاربری",
|
||||
"Account settings": "تنظیمات حساب کاربری",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "ایمیل\u200cها",
|
||||
"Emails disabled": "ایمیل\u200cها غیرفعال هستند",
|
||||
"Ends {{offerEndDate}}": "در {{offerEndDate}} تمام می\u200cشود",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "خطا",
|
||||
"Expires {{expiryDate}}": "در {{expiryDate}} منقضی می\u200cشود",
|
||||
"Forever": "برای همیشه",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "در صورتی که شما تمامی این کارها را انجام داده و همچنان ایمیلی دریافت نمی\u200cکنید، می\u200cتوانید با پشتیبانی از طریق {{supportAddress}} تماس بگیرید.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "در صورتی که ارسال خبرنامه با یک خطای دائمی روبرو شود، ارسال ایمیل\u200cها برای آن حساب متوقف خواهد شد.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "در برنامه\u200cی ایمیل خود آدرس {{senderEmail}} را به عنوان مخاطب ذخیره کنید. این کار باعث می\u200cشود که سرویس\u200cدهنده ایمیل شما متوجه شود که این آدرس باید مورد تأیید قرار گیرد.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "کمتر موردی مثل این نشان بده",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "اطمینان حاصل کنید که ایمیل\u200cها به صورت اتفاقی در پوشه اسپم یا تبلیغاتی شما قرار نگرفته\u200cاند. در صورتی که آنجا باشند، برروی «اسپم نیست» و/یا «انتقال به صندوق ورودی» کلیک کنید.",
|
||||
"Manage": "مدیریت",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "حالا صندوق ورودی ایمیل خود را بررسی کنید!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "پس از دریافت مجدد اشتراک، در صورتی که کماکان ایمیل\u200cها را در ایمیل خود نمی\u200cبینید، پوشه اسپم را بررسی کنید. برخی از سرویس\u200cدهندگان تاریخچه گزارش اسپم را نگهداری می\u200cکنند و همچنان ایمیل\u200cها را به عنوان اسپم علامت\u200cگذاری می\u200cکنند. در صورتی که این مورد وجود داشت، ایمیل را با عنوان «اسپم نیست» علامت\u200cگذاری کنید تا آن را به صندوق ورودی انتقال دهد.",
|
||||
"Permanent failure (bounce)": "خظای دائمی (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "بسته",
|
||||
"Plan checkout was cancelled.": "تسویه صورت\u200cحساب بسته لفو شد.",
|
||||
"Plan upgrade was cancelled.": "ارتقاء بسته لفو شد.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "خواهشمند است که با آدرس {{supportAddress}} تماس بگیرید تا اشتراک رایگان شما را تنظیم کند.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "خواهشمند است که موارد الزامی را وارد کنید",
|
||||
"Price": "قیمت",
|
||||
"Re-enable emails": "فعال\u200cسازی ایمیل\u200cها",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} ei lähetetä enää jatkossa sähköpostia jos joku vastaa kommenttiisi.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} ei enää lähetetä tätä uutiskirjettä.",
|
||||
"{{trialDays}} days free": "{{trialDays}} päivää ilmaiseksi",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Kirjautumislinkki on lähetetty sähköpostiisi. Jos se ei tule 3 minuutin kuluessa, muista katsoa spam-kansiosi.",
|
||||
"Account": "Oma tili",
|
||||
"Account settings": "Tilin asetukset",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Sähköpostit",
|
||||
"Emails disabled": "Sähköpostit pois käytöstä",
|
||||
"Ends {{offerEndDate}}": "Loppuu {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Virhe",
|
||||
"Expires {{expiryDate}}": "Vanhenee {{expiryDate}}",
|
||||
"Forever": "Ikuisesti",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Jos et vieläkään saa uutiskirjeitä, ota yhteyttä {{supportAddress}}",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Jos uutiskirjeen lähetyksessä tapahtuu pysyvä ongelma, sähköpostien lähetys keskeytetään.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Sähköpostiasetuksissasi lisää {{senderEmail}} kontakteihisi. Tämä antaa viestin sähköpostitarjoajalle, että viestit tästä osoitteesta ovat hyväksyttäviä.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Vähemmän tämän kaltaisia",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Varmista, että sähköpostit eivät mene Spam- tai roskapostikansioihin, Jos näin käy, klikkaa \"Mark as not spam\" ja/tai \"Move to inbox\".",
|
||||
"Manage": "Hallitse",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Nyt tarkista sähköpostisi",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Kun olet tilannut sähköpostit uudelleen ja et vieläkään saa posteja, katso ensimmäiseksi spam-kansio. Jotkut tarjoajat pitävät listaa ennen merkityistä viesteistä ja estävät niitä jatkossakin. Jos näin tapahtuu, merkitse viesti Not Spam ja siirrä se postilaatikkoosi.",
|
||||
"Permanent failure (bounce)": "Pysyvä virhe (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Tilaus",
|
||||
"Plan checkout was cancelled.": "Tilauksen checkout on peruttu",
|
||||
"Plan upgrade was cancelled.": "Tilauksen korotus on peruttu",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Täytä tarvittavat kentät",
|
||||
"Price": "Hinta",
|
||||
"Re-enable emails": "Uudelleen hyväksy sähköpostit",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} ne recevra plus d'emails lorsque quelqu'un répond à vos commentaires.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} ne recevra plus cette newsletter.",
|
||||
"{{trialDays}} days free": "{{trialDays}} jours gratuits",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Un lien de connexion a été envoyé dans votre boîte de réception. S’il n’arrive pas dans les 3 minutes, vérifiez votre dossier d'indésirables.",
|
||||
"Account": "Compte",
|
||||
"Account settings": "Paramètres de compte",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Emails",
|
||||
"Emails disabled": "Emails désactivés",
|
||||
"Ends {{offerEndDate}}": "Se termine le {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Erreur",
|
||||
"Expires {{expiryDate}}": "Expire le {{expiryDate}}",
|
||||
"Forever": "Permanent",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Si vous avez complété toutes ces étapes et ne recevez toujours pas d'emails, veuillez nous écrire à {{supportAddress}} pour obtenir de l'aide.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Si une erreur persistante est reçue lors de la tentative d'envoi de la newsletter, les e-mails seront désactivés pour ce compte.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Dans votre client de messagerie, ajoutez {{senderEmail}} à votre liste de contacts. Cela signalera à votre fournisseur de messagerie que les emails provenant de cette adresse doivent être considérés dignes de confiance.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Moins de contenus similaires",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Assurez-vous que les emails ne finissent pas accidentellement dans le dossier Indésirables ou Promotions de votre boîte de réception. Si c'était le cas, cliquez sur \"Marquer en tant que désirable\" et/ou \"Déplacer vers la boîte de réception\".",
|
||||
"Manage": "Gérer",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Veuillez vérifier votre boîte de réception.",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Après vote résinscription, si vous ne voyez toujours pas d'emails dans votre boîte de réception, veuillez vérifier votre dossier d'indésirables. Certains fournisseurs gardent en mémoire les précédents signalements et continuent de marquer ces emails comme indésirables. Si tel était le cas, veuillez signaler la dernière newsletter comme 'désirable' et placez-la dans votre boîte de réception.",
|
||||
"Permanent failure (bounce)": "Erreur persistante (renvoi)",
|
||||
"Phone number": "",
|
||||
"Plan": "Abonnement",
|
||||
"Plan checkout was cancelled.": "Le paiement de l'abonnement a été annulé.",
|
||||
"Plan upgrade was cancelled.": "La mise à niveau de l'abonnement a été annulée.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Veuillez écrire à {{supportAddress}} pour réctifier votre abonnement gratuit.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Veuillez remplir les champs requis",
|
||||
"Price": "Prix",
|
||||
"Re-enable emails": "Réactiver les emails",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "Chan fhaigh {{memberEmail}} post-d nuair a bhios freagairtean ùra ann.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "Chan fhaigh {{memberEmail}} a’ chuairt-litir seo tuilleadh.",
|
||||
"{{trialDays}} days free": "{{trialDays}}l an-asgaidh",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Chaidh ceangal a chur dhan phost-d agad. Thoir sùil air a’ phasgan spama mura faigh thu taobh a-staigh 3 mionaidean e.",
|
||||
"Account": "Cunntas",
|
||||
"Account settings": "Roghainnean",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Puist-d",
|
||||
"Emails disabled": "Puist-d à comas",
|
||||
"Ends {{offerEndDate}}": "Falbhaidh an ùine air: {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Mearachd",
|
||||
"Expires {{expiryDate}}": "Falbhaidh an ùine air: {{expiryDate}}",
|
||||
"Forever": "Gu bràth",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Leig fios gu {{supportAddress}} mura h-eil thu a’ faighinn puist-d an dèidh sùil a thoirt air na rudan seo.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Thèid puist-d a chur à comas ma thacras mearachd seasmhach.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Cuir {{senderEmail}} ri liosta nan luchd-aithne agad agus cuidichidh seo le bhith ag innse don t-solaraiche puist-d agad gur e seòladh post-d earbsach a tha seo.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Nas lugha mar seo",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Dh’fhaodadh gu bheil puist-d a’ dol dhan phasgan spama / margaidheachd agad. Ma tha, Comharraich \"nach e spama\" a th’ annta no briog air \"gluais dhan bhogsa a-steach\".",
|
||||
"Manage": "Rianaich",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Thoir sùil air a’ phost-d agad",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Thoir sùil air a’ phasgan spama agad mura faigh thu puist-d aon uair ’s gu bheil thu air fo-sgrìobhadh a-rithist. Cumaidh cuid de sholaraichean puist de chlàr de sheann ghearanan spama agus ma dh’fhaoidte gu bheil iad fhathast gan comharradh mar spama. Comharraich \"nach e spama\" a th’ annta gus an gluasad air ais dhan bhogsa a-steach agad.",
|
||||
"Permanent failure (bounce)": "Fàilleadh maireannach",
|
||||
"Phone number": "",
|
||||
"Plan": "Plana",
|
||||
"Plan checkout was cancelled.": "Chaidh an t-ordugh a chur dheth.",
|
||||
"Plan upgrade was cancelled.": "Chaidh an t-àrdachadh a chur dheth.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Leig fios gu {{supportAddress}} gus am fo-sgrìobhadh an-asgaidh a atharrachadh.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Lìon a-steach na raointean riatanach",
|
||||
"Price": "Prìs",
|
||||
"Re-enable emails": "Cuir an comas puist-d a-rithist",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} više neće primati e-poštu kada netko odgovori na vaš komentar.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} više neće primati ovaj newsletter.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dana besplatno",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Link za prijavu je poslan na Vašu adresu e-pošte. Ako poruku niste dobili za 3 minute, provjerite spam folder",
|
||||
"Account": "Vaš račun",
|
||||
"Account settings": "Podešavanje vašeg računa",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-pošta",
|
||||
"Emails disabled": "Isključena e-pošta",
|
||||
"Ends {{offerEndDate}}": "Završava {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Greška",
|
||||
"Expires {{expiryDate}}": "Ističe {{expiryDate}}",
|
||||
"Forever": "Zauvijek",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Ako ste dovršili sve ove provjere, a još uvijek ne primate e-poštu, možete se obratiti za podršku na {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "U slučaju kontinuiranog neusplešnog slanja newslettera na vašu adresu e-pošte, slanje newslettera će biti onemogućeno za vaš račun.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "U svom klijentu e-pošte dodajte {{senderEmail}} na svoj popis kontakata. Ovo signalizira vašem davatelju usluga e-pošte da porukama koje su poslane s ove adrese treba vjerovati.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Manje sadržaja poput ovoga",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Pobrinite se da e-poruke slučajno ne završe u mapi Spam ili Promocije u vašoj pristigloj pošti. Ako jesu, kliknite \"Označi da nije neželjena pošta\" i/ili \"Premjesti u pristiglu poštu\".",
|
||||
"Manage": "Upravljanje",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Provjerite vašu e-poštu!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Nakon što se ponovno pretplatite, ako i dalje ne vidite e-poštu u svojoj pristigloj pošti, provjerite mapu neželjene pošte. Neki pružatelji usluga e-pošte vode evidenciju prethodnih pritužbi na neželjenu poštu i nastavit će označavati e-poštu. Ako se to dogodi, označite najnoviji newsletter kao \"Nije neželjena pošta\" da biste ga vratili u svoju primarnu pristiglu poštu.",
|
||||
"Permanent failure (bounce)": "Trajni kvar (odbijanje isporuke)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plan pretplate",
|
||||
"Plan checkout was cancelled.": "Checkout plana pretplate je prekinut.",
|
||||
"Plan upgrade was cancelled.": "Nadogradnja plana pretplate je prekinuta.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Molimo vas kontaktirajte {{supportAddress}} za prilagodbu vaše besplatne pretplate.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Molimo vas da ispunite obvezna polja",
|
||||
"Price": "Cijena",
|
||||
"Re-enable emails": "Ponovo omogući slanje e-pošte",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "A(z) {{memberEmail}} cím már nem fog kapni email-eket ha valaki válaszol a hozzászólásaira.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "A(z) {{memberEmail}} cím már nem fogja megkapni ezt a hírlevelet",
|
||||
"{{trialDays}} days free": "{{trialDays}} nap ingyen",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "A bejelentkezéshez szükséges linket elküldtük a megadott email címre. Ha nem érkezne meg 3 percen belül, kérjük ellenőrizze a spam mappát!",
|
||||
"Account": "Fiók",
|
||||
"Account settings": "Fiók beállítások",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Email-ek",
|
||||
"Emails disabled": "Email-ek kikapcsolva",
|
||||
"Ends {{offerEndDate}}": "Ajánlat vége: {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Hiba",
|
||||
"Expires {{expiryDate}}": "Lejárat: ",
|
||||
"Forever": "Örökké",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Ha a fenti lehetőségeket ellenőrizte és továbbra sem kap email-eket, kérjük lépjen kapcsolatba velünk az alábbi email címen: {{supportAddress}}",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Amennyiben tartós hiba lép fel egy hírlevél küldése közben, az e-mailek letiltásra kerülnek a fiókon.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Az e-mail kliensben adja hozzá {{senderEmail}}-t a kapcsolatai listához. Ez jelezni fogja az e-mail szolgáltatónak, hogy az ezen a címről érkező e-maileket megbízhatónak kell tekinteni.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Kevesebb ilyet",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Győződjön meg róla, hogy az e-mailek véletlenül nem kerülnek-e a Spam vagy Promóciók mappába az email fiókjában. Ha igen, kattintson a 'Nem spam' és/vagy az 'Áthelyezés a beérkezők közé' lehetőségekre.",
|
||||
"Manage": "Kezelés",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Ellenőrizze az postafiókját",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Miután újra feliratkozott, ha még mindig nem látja az e-maileket a beérkező mappájában, ellenőrizze a spam mappát. Néhány email szolgáltató nyilvántartást vezet korábbi spam panaszokról, és továbbra is megjelölheti az e-maileket. Ha ez megtörténik, a legújabb hírlevelet jelölje meg 'Nem spamként', hogy visszakerüljön a fő beérkező mappájába.",
|
||||
"Permanent failure (bounce)": "Tartós hiba (visszapattanás)",
|
||||
"Phone number": "",
|
||||
"Plan": "Csomag",
|
||||
"Plan checkout was cancelled.": "A csomag fizetési folyamat megszakadt",
|
||||
"Plan upgrade was cancelled.": "A csomag frissítése megszakadt",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Ajándék csomagok módosításáért kérjük lépjen kapcsolatba velünk az alábbi email címen: {{supportAddress}}",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Kérjük töltse ki az összes mezőt",
|
||||
"Price": "Ár",
|
||||
"Re-enable emails": "Email-ek aktiválása",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} tidak akan menerima email lagi ketika seseorang membalas komentar Anda.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} tidak akan menerima buletin ini lagi.",
|
||||
"{{trialDays}} days free": "Gratis {{trialDays}} hari",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Tautan masuk telah dikirim ke kotak masuk Anda. Jika tidak diterima dalam waktu 3 menit, pastikan untuk memeriksa folder spam Anda.",
|
||||
"Account": "Akun",
|
||||
"Account settings": "Pengaturan akun",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Email",
|
||||
"Emails disabled": "Email dinonaktifkan",
|
||||
"Ends {{offerEndDate}}": "Berakhir {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Eror",
|
||||
"Expires {{expiryDate}}": "Kedaluwarsa {{expiryDate}}",
|
||||
"Forever": "Selamanya",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Jika Anda telah melakukan semua pemeriksaan tersebut dan masih belum menerima email, Anda dapat menghubungi kami melalui kontak {{supportAddress}} untuk mendapatkan bantuan.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Jika terjadi kegagalan permanen saat mencoba mengirim buletin, email akan dinonaktifkan pada akun tersebut.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Pada klien email Anda, tambahkan {{senderEmail}} ke daftar kontak Anda. Hal ini akan memberikan sinyal kepada layanan email Anda bahwa email yang dikirim dari alamat ini harus dipercaya.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Kurangi yang seperti ini",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Pastikan email tidak berakhir di kotak masuk Spam atau Promosi Anda secara tidak sengaja. Jika ya, klik \"Tandai sebagai bukan spam\" dan/atau \"Pindahkan ke kotak masuk\".",
|
||||
"Manage": "Kelola",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Sekarang periksa email Anda!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Setelah berlangganan kembali, jika Anda masih tidak melihat email di kotak masuk Anda, periksa folder spam. Beberapa penyedia layanan kotak masuk menyimpan catatan keluhan spam sebelumnya dan akan terus menandai email tersebut. Jika hal ini terjadi, tandai buletin terbaru sebagai 'Bukan spam' untuk memindahkannya kembali ke kotak masuk utama Anda.",
|
||||
"Permanent failure (bounce)": "Kegagalan permanen (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Paket",
|
||||
"Plan checkout was cancelled.": "Pembayaran paket dibatalkan.",
|
||||
"Plan upgrade was cancelled.": "Peningkatan paket dibatalkan.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Harap hubungi {{supportAddress}} untuk mengubah langganan gratis Anda.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Harap isi kolom yang wajib diisi",
|
||||
"Price": "Harga",
|
||||
"Re-enable emails": "Aktifkan kembali email",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} fær framvegis ekki tölvupóst þegar einhver svarar ummælum þínum.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} fær framvegis ekki þetta fréttabréf.",
|
||||
"{{trialDays}} days free": "dagar án endurgjalds",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Innskráningarhlekkur hefur verið sendur á netfangið þitt. Ef hann er ekki kominn innan 3ja mínútna skaltu athuga spam-möppuna.",
|
||||
"Account": "Aðgangur",
|
||||
"Account settings": "Aðgangsstillingar",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Netföng",
|
||||
"Emails disabled": "Netföng gerð óvirk",
|
||||
"Ends {{offerEndDate}}": "Lýkur {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Villa",
|
||||
"Expires {{expiryDate}}": "Rennur út {{expiryDate}}",
|
||||
"Forever": "Að eilífu",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Ef þú hefur skoðað öll þess atriði og færð enn ekki tölvupósta geturðu haft samband við {{supportAddress}}",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Ef varanleg villa kemur upp við sendingu tölvupósta verða þeir gerðir óvirkir.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Bættu {{senderEmail}} við listann yfir tengiliði í tölvupósthólfinu. Það gefur þjónustuveitandanum merki um að tölvupóstum frá þessu netfangi sé treystandi.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Minna af þessu tagi",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Gakktu úr skugga um að tölvupóstanir endi ekki í möppum fyrir ruslpósta eða kynningarefni. Ef svo er skaltu smella á \"Mark as not spam\" og/eða \"Move to inbox\"",
|
||||
"Manage": "Stjórna",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Athugaðu nú tölvupósthólfið þitt!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Ef þú sérð ekki tölvupósta eftir að hafa endurvakið áskrift, athugaðu spam-möppuna. Enn kunna að vera skráðar kvartanir um ruslpóst og tölvupóstarnir því flokkaður á þann veg. Ef svo er skaltu merkja síðasta fréttabréf sem 'Not spam' og færa yfir í aðalpósthólfið.",
|
||||
"Permanent failure (bounce)": "Varanleg villa",
|
||||
"Phone number": "",
|
||||
"Plan": "Áskriftarleið",
|
||||
"Plan checkout was cancelled.": "Hætt var við kaup á áskrift",
|
||||
"Plan upgrade was cancelled.": "Hætt var við breytingu á áskriftarleið",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Vinsamlegast hafið samband við {{supportAddress}} til að breyta kaupbætisáskrift.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Vinsamlegast fyllið í nauðsynlega reiti",
|
||||
"Price": "Verð",
|
||||
"Re-enable emails": "Fá tölvupósta að nýju",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "Non riceverà più email a {{memberEmail}} quando qualcuno risponde ai tuoi commenti.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "La newsletter non verrà più inviata a {{memberEmail}}.",
|
||||
"{{trialDays}} days free": "{{trialDays}} giorni gratis",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Un link di accesso è stato inviato alla tua casella di posta. Se non lo ricevi entro 3 minuti, controlla nello spam.",
|
||||
"Account": "Account",
|
||||
"Account settings": "Impostazioni account",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Email",
|
||||
"Emails disabled": "Email disattivate",
|
||||
"Ends {{offerEndDate}}": "Finisce il {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Errore",
|
||||
"Expires {{expiryDate}}": "Scade il {{offerEndDate}}",
|
||||
"Forever": "Per sempre",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Se avete completato tutti i passaggi e ancora non ricevete nessuna email, potete contattare l'assistenza a {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Nel caso in cui si verifichi un fallimento permanente durante l'invio di una newsletter, le email saranno disabilitate per quell'account.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Nel tuo client di posta aggiungi {{senderEmail}} ai tuoi contatti. Questo fa si che il tuo provider riconosca l'indirizzo come attendibile.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Meno come questo",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Assicurati che le email non finiscano per sbaglio nello spam. Se ve ne sono, clicca su \"Segnala come non spam\" e/o \"Sposta nella cartella Posta in arrivo\".",
|
||||
"Manage": "Gestisci",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Ora controlla la tua email!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Se ancora non vedi le email una volta reiscritto, controlla nello spam. Alcuni provider tengono nota dei reclami e continuano a segnalare le email. Se questo dovesse succedere, segnala l'ultima email ricevuta come \"non spam\" e spostala nella tua posta in arrivo.",
|
||||
"Permanent failure (bounce)": "Fallimento permanente (rimbalzo)",
|
||||
"Phone number": "",
|
||||
"Plan": "Piano",
|
||||
"Plan checkout was cancelled.": "Il pagamento del piano è stato annullato.",
|
||||
"Plan upgrade was cancelled.": "L'aggiornamento del piano è stato annullato.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Si prega di contattare {{supportAddress}} per modificare l'abbonamento gratuito.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Si prega di compilare i campi obbligatori",
|
||||
"Price": "Prezzo",
|
||||
"Re-enable emails": "Riattiva le email",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "誰かがあなたのコメントに返信しても、{{memberEmail}} はメールを受信しません。",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} はこのニュースレターを受信しなくなります。",
|
||||
"{{trialDays}} days free": "{{trialDays}}日間無料",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "ログインリンクが受信箱に送信されました。3分以内にメールが届かない場合は、迷惑メールのフォルダーをご確認ください。",
|
||||
"Account": "アカウント",
|
||||
"Account settings": "アカウント設定",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "メール",
|
||||
"Emails disabled": "メールが無効になっています",
|
||||
"Ends {{offerEndDate}}": "{{offerEndDate}}まで",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "エラー",
|
||||
"Expires {{expiryDate}}": "{{expiryDate}}まで有効",
|
||||
"Forever": "永久",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "これらの項目を全て満たしてもメールがまだ受け取れない場合は、{{supportAddress}}に連絡してサポートを受けてください。",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "ニュースレターの送信時に永続的な障害が発生した場合、アカウントのメールが無効になります。",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "メールクライアントで{{senderEmail}}を連絡先リストに追加してください。これにより、メールプロバイダーにこのアドレスから送信されたメールを信頼するように伝えることができます。",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "興味なし",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "メールがスパムまたはプロモーションフォルダに誤って入っていないか確認してください。もしそうなら、\"スパムではない\"とマークするか、\"受信トレイに移動\"を選択してください。",
|
||||
"Manage": "管理",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "メールを確認してください",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "再購読した後も受信トレイにメールが表示されない場合は、スパムフォルダを確認してください。一部の受信トレイは以前のスパムの記録を保持し、引き続きメールを判定します。これが起こった場合は、最新のニュースレターを「スパムではない」とマークし、受信トレイに移動してください。",
|
||||
"Permanent failure (bounce)": "永続的な障害",
|
||||
"Phone number": "",
|
||||
"Plan": "プラン",
|
||||
"Plan checkout was cancelled.": "プランのチェックアウトがキャンセルされました。",
|
||||
"Plan upgrade was cancelled.": "プランのアップグレードがキャンセルされました。",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "無料購読を調整するためには、{{supportAddress}}に連絡してください。",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "必須項目に入力してください",
|
||||
"Price": "価格",
|
||||
"Re-enable emails": "メールを再有効化する",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}}님은 다른 사람이 댓글에 답변할 때 이메일을 더 이상 받지 않으실 것이에요.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}}님은 이 뉴스레터를 더 이상 수신하지 않으실 것이에요.",
|
||||
"{{trialDays}} days free": "{{trialDays}}일 무료",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "로그인 링크가 이메일로 전송되었어요. 3분 내에 도착하지 않으면 스팸 폴더를 확인해 주세요.",
|
||||
"Account": "계정",
|
||||
"Account settings": "계정 설정",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "이메일",
|
||||
"Emails disabled": "이메일 사용 중지됨",
|
||||
"Ends {{offerEndDate}}": "{{offerEndDate}}에 종료돼요",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "오류",
|
||||
"Expires {{expiryDate}}": "{{expiryDate}}에 만료돼요",
|
||||
"Forever": "영원히",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "이 모든 확인을 완료했는데도 이메일을 받지 못하고 있다면, {{supportAddress}}에 연락하여 지원을 받을 수 있어요.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "영구적인 실패가 발생하여 뉴스레터를 보내려고 시도할 때, 계정의 이메일이 사용 중지돼요.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "이메일 클라이언트에서 {{senderEmail}}을 연락처 목록에 추가해 주세요. 이렇게 하면 메일 제공업체에게 이 주소에서 보낸 이메일을 신뢰해야 한다는 신호를 보낼 수 있어요.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "비슷한 게시물 줄이기",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "이메일이 스팸이나 프로모션 폴더에 실수로 들어가지 않도록 해 주세요. 만약 들어가 있다면 \"스팸이 아님\" 또는 \"받은 편지함으로 이동\"을 클릭해 주세요.",
|
||||
"Manage": "관리",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "지금 이메일을 확인해 주세요!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "다시 구독한 후에도 받은 편지함에 이메일이 표시되지 않는다면 스팸 폴더를 확인해 주세요. 일부 받은 편지함 제공업체는 이전 스팸 신고 기록을 유지하고 계속해서 이메일을 표시해요. 이런 경우 최신 뉴스레터를 '스팸이 아님'으로 표시하여 기본 받은 편지함으로 옮겨주세요.",
|
||||
"Permanent failure (bounce)": "영구적인 실패(바운스)",
|
||||
"Phone number": "",
|
||||
"Plan": "플랜",
|
||||
"Plan checkout was cancelled.": "플랜 결제가 취소되었어요.",
|
||||
"Plan upgrade was cancelled.": "플랜 업그레이드가 취소되었어요.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "필수 항목을 입력해 주세요",
|
||||
"Price": "가격",
|
||||
"Re-enable emails": "이메일 재활성화",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "Į {{memberEmail}} nuo šiol nebebus siunčiami pranešimai apie naujus atsakymus į jūsų komentarą.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "Į {{memberEmail}} nuo šiol nebebus siunčiamas naujienlaiškis.",
|
||||
"{{trialDays}} days free": "{{trialDays}} d. nemokamai",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Prisijungimo nuoroda buvo išsiųsta į jūsų el. pašto dėžutę. Jei laiškas neatkeliauja per 3 minutes, patikrinkite šlamšto (spam) aplanką.",
|
||||
"Account": "Paskyra",
|
||||
"Account settings": "Paskyros nustatymai",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Laiškai",
|
||||
"Emails disabled": "El. laiškai deaktyvuoti",
|
||||
"Ends {{offerEndDate}}": "Baigiasi {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Klaida",
|
||||
"Expires {{expiryDate}}": "Nustoja galioti {{expiryDate}}",
|
||||
"Forever": "Neribotam laikui",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Jei atlikote visas šias patikras ir vis tiek negaunate el. laiškų, bandykite kreiptis pagalbos: {{supportAddress}}",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Jei nuolatos nepavyks išsiųsti naujienlaiškio, siuntimas šiai paskyrai bus išjungtas",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "El. pašto programoje pridėkite {{senderEmail}} į savo kontaktų sąrašą. Tai parodys jūsų el. pašto paslaugų teikėjui, kad šiuo adresu siunčiami el. laiškai turėtų būti patikimi.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Mažiau tokių, kaip šis",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Įsitikinkite, kad el. laiškai netyčia nepatenka į pašto dėžutės aplankus „Šlamštas“ arba „Reklamos“. Jei taip įvyko, spustelėkite \"Žymėti kaip ne šlamštą\" ir (arba) \"Perkelti į gautuosius\".",
|
||||
"Manage": "Tvarkyti",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Dabar patikrinkite savo el. paštą",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Jei užsiprenumeravę iš naujo nematote el. laiškų gautuosiuose, patikrinkite šlamšto aplanką. Kai kurie el. paslaugų teikėjai registruoja ankstesnius laiškų žymėjimus dėl šlamšto ir toliau juos žymi. Jei taip atsitiks, pažymėkite naujausią gautą laišką kaip „Ne šlamštą“, kad grąžintumėte jį į pagrindinių gautųjų sąrašą.",
|
||||
"Permanent failure (bounce)": "Nuolatinis atmetimas",
|
||||
"Phone number": "",
|
||||
"Plan": "Planas",
|
||||
"Plan checkout was cancelled.": "Plano apmokėjimas buvo atšauktas.",
|
||||
"Plan upgrade was cancelled.": "Plano pagerinimas buvo atšauktas.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Prašome susisiekti {{supportAddress}}, norėdami koreguoti savo nemokamą prenumeratą.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Užpildykite visus privalomus laukus",
|
||||
"Price": "Kaina",
|
||||
"Re-enable emails": "Iš naujo įjungti el. laiškus",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "",
|
||||
"{{trialDays}} days free": "{{trialDays}} өдөр үнэгүй",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Таны имэйл рүү нэвтрэх холбоосыг илгээлээ. Хэрвээ 3 минутын дотор ирэхгүй бол спамаа шалгана уу.",
|
||||
"Account": "Бүртгэл",
|
||||
"Account settings": "Бүртгэлийн тохиргоо",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Имэйлүүд",
|
||||
"Emails disabled": "Имэйлийг идэхгүй болгосон",
|
||||
"Ends {{offerEndDate}}": "",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "",
|
||||
"Expires {{expiryDate}}": "",
|
||||
"Forever": "",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Таалагдсангүй",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Удирдах",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Одоо имэйлээ шалгана уу!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "",
|
||||
"Phone number": "",
|
||||
"Plan": "",
|
||||
"Plan checkout was cancelled.": "",
|
||||
"Plan upgrade was cancelled.": "",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "",
|
||||
"Price": "Үнэ",
|
||||
"Re-enable emails": "Имэйлийг дахин идэвхжүүлэх",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} tidak akan menerima email apabila seseorang membalas komen anda.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} tidak akan menerima newsletter ini lagi.",
|
||||
"{{trialDays}} days free": "Percuma {{trialDays}} hari",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Pautan log masuk telah dihantar ke peti masuk anda. Jika ia tidak sampai dalam masa 3 minit, pastikan anda menyemak folder spam anda.",
|
||||
"Account": "Akaun",
|
||||
"Account settings": "Tetapan akaun",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-mel",
|
||||
"Emails disabled": "E-mel dilumpuhkan",
|
||||
"Ends {{offerEndDate}}": "Tamat pada {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Ralat",
|
||||
"Expires {{expiryDate}}": "Luput pada {{expiryDate}}",
|
||||
"Forever": "Selamanya",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Jika anda telah menyelesaikan semua semakan ini dan anda masih tidak menerima e-mel, anda boleh menghubungi untuk mendapatkan sokongan dengan menghubungi {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Sekiranya kegagalan kekal diterima semasa cuba menghantar newsletter, e-mel akan dilumpuhkan pada akaun.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Dalam klien e-mel anda tambah {{senderEmail}} pada senarai kenalan anda. Ini memberi isyarat kepada pembekal mel anda bahawa e-mel yang dihantar dari alamat ini harus dipercayai.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Kurang macam ni",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Pastikan e-mel tidak tiba-tiba masuk ke dalam folder Spam atau Promosi peti masuk anda. Jika ya, klik pada \"Tandakan sebagai bukan spam\" dan/atau \"Alih ke peti masuk\".",
|
||||
"Manage": "Urus",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Semak e-mel anda sekarang!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Setelah melanggan semula, jika anda masih tidak melihat e-mel dalam peti masuk anda, semak folder spam anda. Sesetengah pembekal peti masuk menyimpan rekod aduan spam sebelumnya dan akan terus membenderakan e-mel. Jika ini berlaku, tandakan surat berita terkini sebagai 'Bukan spam' untuk mengalihkannya kembali ke peti masuk utama anda.",
|
||||
"Permanent failure (bounce)": "Kegagalan kekal (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Pelan",
|
||||
"Plan checkout was cancelled.": "Daftar keluar pelan telah dibatalkan.",
|
||||
"Plan upgrade was cancelled.": "Naik taraf pelan telah dibatalkan.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Sila isikan medan yang diperlukan",
|
||||
"Price": "Harga",
|
||||
"Re-enable emails": "Membolehkan semula e-mel",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "",
|
||||
"{{trialDays}} days free": "{{trialDays}} dagen gratis",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Je hebt een email met een login link ontvangen. Check je spamfolder als hij niet binnen de 3 minuten aankomt.",
|
||||
"Account": "Account",
|
||||
"Account settings": "Gegevens",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-mails",
|
||||
"Emails disabled": "E-mails zijn uitgeschakeld",
|
||||
"Ends {{offerEndDate}}": "Eindigt op {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Fout",
|
||||
"Expires {{expiryDate}}": "Verloopt op {{expiryDate}}",
|
||||
"Forever": "Voor altijd",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Minder hiervan",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Beheer",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Check nu je e-mail!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "",
|
||||
"Phone number": "",
|
||||
"Plan": "",
|
||||
"Plan checkout was cancelled.": "",
|
||||
"Plan upgrade was cancelled.": "",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "",
|
||||
"Price": "Prijs",
|
||||
"Re-enable emails": "E-mails weer inschakelen",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} vil ikkje lenger motta e-post når nokon svarar på kommentarar.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} vil ikkje lenger motta dette nyheitsbrevet.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dagar gratis",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Ei innlogginslenke har blitt sendt til innboksen din. Sjekk søppelposten din om lenka ikkje kjem innan 3 minutt.",
|
||||
"Account": "Brukar",
|
||||
"Account settings": "Brukarinnstillingar",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-postar.",
|
||||
"Emails disabled": "E-postar skrudd av",
|
||||
"Ends {{offerEndDate}}": "Sluttar {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Feil",
|
||||
"Expires {{expiryDate}}": "Går ut {{expiryDate}}",
|
||||
"Forever": "For evig",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Viss du har fullført desse stega og framleis ikkje får nyheitsbrev, kan du ta kontakt med oss på {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "I tilfelle ein permanent feil mottas ved forøsk på å senda eit nyheitsbrev vil e-poster bli deaktivert på kontoen.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Legg til {{senderEmail}} til e-posten din si kontaktliste. Dette signaliserer til leverandøren din at e-poster frå denne adressa er til å stola på.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Mindre som dette",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Pass på at e-postane ikkje ender opp i spam-mappa. Viss dei gjer, marker dei anten som \"Dette er ikkje spam\" og/eller \"Flytt til innboks\".",
|
||||
"Manage": "Innstillinger",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Sjekk e-posten din!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Sjekk spam-mappa di om du framleis ikkje ser e-postane etter å ha abonnert på ny. Nokon e-postleverandørar kan flagga e-postar som spam basert på tidlegare e-postar. Viss dette skjer, marker den siste du mottok i spam-mappa som 'ikkje spam' og flytt tilbake til innboksen din.",
|
||||
"Permanent failure (bounce)": "Permanent feil",
|
||||
"Phone number": "",
|
||||
"Plan": "Abonnement",
|
||||
"Plan checkout was cancelled.": "Betaling kansellert.",
|
||||
"Plan upgrade was cancelled.": "Oppgradering kansellert.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Ver gilde og fyll inn dei obligatoriske felta",
|
||||
"Price": "Pris",
|
||||
"Re-enable emails": "Aktiver e-postar på ny",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} vil ikke lengre motta eposter når noen svarer på dine kommentarer.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} vil ikke lengre motta nyhetsbrevet.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dager gratis",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "En påloggingslenke har blitt sendt til innboksen din. Hvis den ikke kommer innen 3 minutter, må du sjekke søppelposten din.",
|
||||
"Account": "Konto",
|
||||
"Account settings": "Kontoinnstillinger",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Epost",
|
||||
"Emails disabled": "Epost deaktivert",
|
||||
"Ends {{offerEndDate}}": "Avsluttes {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Feil",
|
||||
"Expires {{expiryDate}}": "Avsluttes {{expiryDate}}",
|
||||
"Forever": "For alltid",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Mindre som dette",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Administrer",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Sjekk eposten din!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Blir eposten markert som søppelpost? Sjekk epostfolderen for søppelpost og merk som 'ikke søppel'.",
|
||||
"Permanent failure (bounce)": "Permanent feil (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plan",
|
||||
"Plan checkout was cancelled.": "Påmelding til plan ble kansellert. ",
|
||||
"Plan upgrade was cancelled.": "Oppgradering ble kansellert.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Vennligst kontakt {{supportAddress}} for å justere ditt gratis abonnement.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Vennligst fyll in påkrevde felt",
|
||||
"Price": "Pris",
|
||||
"Re-enable emails": "Re-aktiver epost",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} nie będzie już otrzymywać wiadomości, gdy ktoś odpowie na Twój komentarz.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} nie będzie już otrzymywać newslettera.",
|
||||
"{{trialDays}} days free": "{{trialDays}} darmowych dni",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Link do logowania został wysłany do Twojej skrzynki odbiorczej. Jeśli nie dotrze w ciągu 3 minut, sprawdź folder spam.",
|
||||
"Account": "Konto",
|
||||
"Account settings": "Ustawienia konta",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Emaile",
|
||||
"Emails disabled": "Wysyłanie emaili zablokowane",
|
||||
"Ends {{offerEndDate}}": "Kończy się {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Błąd",
|
||||
"Expires {{expiryDate}}": "Wygasa {{expiryDate}}",
|
||||
"Forever": "Na zawsze",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Jeśli wykonałeś wszystkie te czynności i nadal nie otrzymujesz wiadomości, możesz skontaktować się z pomocą techniczną pod tym adresem {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "W przypadku trwałych problemów podczas wysłania newslettera, wiadomości email zostaną wyłączone na koncie.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "W kliencie poczty dodaj {{senderEmail}} do listy kontaktów. Sygnalizuje to dostawcę poczty, że wiadomości wysyłane z tego adresu powinny być zweryfikowane.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Mniej podobnych",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Upewnij się, że emaile nie trafiają przypadkowo do folderów spam w skrzynce odbiorczej. Jeśli tak jest, kliknij na \"Oznacz jako nie spam\" i/lub \"Przenieś do skrzynki odbiorczej\".",
|
||||
"Manage": "Zarządzaj",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Teraz sprawdź swoją pocztę!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "Trwała awaria (odesłanie emaila",
|
||||
"Phone number": "",
|
||||
"Plan": "Plan",
|
||||
"Plan checkout was cancelled.": "Opłata za plan została anulowana.",
|
||||
"Plan upgrade was cancelled.": "Aktualizacja planu została anulowana.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Wyślij maila pod adres {{supportAddress}}, aby dostosować bezpłatną subskrypcję.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Wypełnij wymagane pola",
|
||||
"Price": "Cena",
|
||||
"Re-enable emails": "Włącz ponownie emaile",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} não receberá mais e-mails quando alguém responder seus comentários.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} não receberá mais esta newsletter.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dias grátis",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Um link de acesso foi enviado para o seu e-mail. Se a mensagem não chegar dentro de 3 minutos, verifique sua pasta de spam.",
|
||||
"Account": "Conta",
|
||||
"Account settings": "Configurações de conta",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-mails",
|
||||
"Emails disabled": "E-mails desativados",
|
||||
"Ends {{offerEndDate}}": "Termina em {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Erro",
|
||||
"Expires {{expiryDate}}": "Expira em {{expiryDate}}",
|
||||
"Forever": "Para sempre",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Se você concluiu todas essas verificações e ainda não está recebendo e-mails, pode entrar em contato para obter suporte entrando em contato com {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "No caso de uma falha permanente ser recebida ao tentar enviar uma newsletter, os e-mails serão desativados na conta.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "No seu cliente de e-mail, adicione {{senderEmail}} à sua lista de contatos. Isso sinaliza ao seu provedor de e-mail que os e-mails enviados deste endereço devem ser confiáveis.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Menos como este",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Verifique se os e-mails não estão indo parar acidentalmente nas pastas Spam ou Promoções da sua caixa de entrada. Se estiverem, clique em \"Marcar como não spam\" e/ou \"Mover para a caixa de entrada\".",
|
||||
"Manage": "Gerenciar",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Agora veja seu e-mail!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Depois de se inscrever novamente, se você ainda não vir e-mails na sua caixa de entrada, verifique sua pasta de spam. Alguns provedores de caixa de entrada mantêm um registro de reclamações anteriores de spam e continuarão a sinalizar e-mails. Se isso acontecer, marque a newsletter mais recente como 'Não é spam' para movê-la de volta para sua caixa de entrada principal.",
|
||||
"Permanent failure (bounce)": "Falha permanente (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plano",
|
||||
"Plan checkout was cancelled.": "Plano de checkout foi cancelado.",
|
||||
"Plan upgrade was cancelled.": "Upgrade de plano foi cancelado.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Entre em contato com {{supportAddress}} para ajustar sua assinatura.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Preencha os campos obrigatórios",
|
||||
"Price": "Preço",
|
||||
"Re-enable emails": "Reativar e-mails",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} deixará de receber emails quando alguém responder aos seus comentários.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} deixará de receber esta newsletter.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dias grátis",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Um link de acesso foi enviado para o teu email. Se o email não chegar dentro de 3 minutos, verifica a pasta de spam/lixo do teu email.",
|
||||
"Account": "Conta",
|
||||
"Account settings": "Definições de conta",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Emails",
|
||||
"Emails disabled": "Email desativado",
|
||||
"Ends {{offerEndDate}}": "",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Erro",
|
||||
"Expires {{expiryDate}}": "Expira {{expiryDate}}",
|
||||
"Forever": "Para sempre",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Se completou todas estas verificações e ainda não está a receber emails, pode contactar {{supportAddress}} para obter apoio.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "No caso de uma falha permanente ser recebida ao tentar enviar uma newsletter, os emails serão desativados na conta.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "No seu cliente de email, adicione {{senderEmail}} à sua lista de contactos. Isso indica ao seu fornecedor de email que os emails enviados a partir deste endereço devem ser confiáveis.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Menos como este",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Certifique-se de que os emails não estão a acabar acidentalmente nas pastas de Spam ou Promoções da sua caixa de entrada. Se estiverem, clique em \"Marcar como não spam\" e/ou \"Mover para a caixa de entrada\".",
|
||||
"Manage": "Gerir",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Verifica o teu email agora!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Depois de se inscrever novamente, se você ainda não vir emails na sua caixa de entrada, verifique sua pasta de spam. Alguns provedores de caixa de entrada mantêm um registro de reclamações anteriores de spam e continuarão a sinalizar Emails. Se isso acontecer, marque a newsletter mais recente como 'Não é spam' para movê-la de volta para sua caixa de entrada principal.",
|
||||
"Permanent failure (bounce)": "Falha permanente (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plano",
|
||||
"Plan checkout was cancelled.": "Plano de checkout foi cancelado.",
|
||||
"Plan upgrade was cancelled.": "Melhoria de plano foi cancelado.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Preencha os campos obrigatórios",
|
||||
"Price": "Preço",
|
||||
"Re-enable emails": "Reativar emails",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} nu va mai primi emailuri atunci când cineva răspunde la comentariile tale.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} nu va mai primi acest newsletter.",
|
||||
"{{trialDays}} days free": "{{trialDays}} zile gratuite",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Un link de autentificare a fost trimis în inbox-ul tău. Dacă nu ajunge în 3 minute, asigură-te că verifici folderul de spam.",
|
||||
"Account": "Cont",
|
||||
"Account settings": "Setări cont",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Emailuri",
|
||||
"Emails disabled": "Emailuri dezactivate",
|
||||
"Ends {{offerEndDate}}": "Se termină {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Eroare",
|
||||
"Expires {{expiryDate}}": "Expiră {{expiryDate}}",
|
||||
"Forever": "Pentru totdeauna",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Dacă ați completat toate aceste verificări și încă nu primiți emailuri, puteți solicita suport contactând {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "În cazul în care se primește o eroare permanentă la încercarea de a trimite un buletin informativ, emailurile vor fi dezactivate pe cont.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "În clientul dvs. de email adăugați {{senderEmail}} în lista de contacte. Acest lucru indică furnizorului dvs. de email că emailurile trimise de la această adresă ar trebui considerate de încredere.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Mai puțin de genul acesta",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Asigurați-vă că emailurile nu ajung accidental în folderele Spam sau Promoții ale inbox-ului dvs. Dacă da, faceți clic pe \"Marchează ca fiind nesolicitat\" și/sau \"Mută în inbox\".",
|
||||
"Manage": "Administrează",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Acum verifică-ți emailul!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Odată reabonat, dacă încă nu vedeți emailuri în inbox, verificați dosarul de spam. Unii furnizori de inbox păstrează un istoric al sesizărilor de spam anterioare și vor continua să marcheze emailurile. Dacă se întâmplă acest lucru, marcați cel mai recent buletin informativ ca 'Nu este spam' pentru a-l muta înapoi în inbox-ul primar.",
|
||||
"Permanent failure (bounce)": "Eroare permanentă (respins)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plan",
|
||||
"Plan checkout was cancelled.": "Finalizarea planului a fost anulată.",
|
||||
"Plan upgrade was cancelled.": "Actualizarea planului a fost anulată.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Vă rugăm să contactați {{supportAddress}} pentru a ajusta abonamentul dvs. gratuit.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Vă rugăm să completați câmpurile necesare",
|
||||
"Price": "Preț",
|
||||
"Re-enable emails": "Activează din nou emailurile",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "",
|
||||
"{{trialDays}} days free": "{{trialDays}} дня(-ей) бесплатно",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Ссылка для входа была отправлена вам на email. Если письмо долго не приходит, проверьте папку Спам.",
|
||||
"Account": "Аккаунт",
|
||||
"Account settings": "Настройки аккаунта",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Письма",
|
||||
"Emails disabled": "Письма отключены",
|
||||
"Ends {{offerEndDate}}": "",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "",
|
||||
"Expires {{expiryDate}}": "",
|
||||
"Forever": "",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Меньше подобного",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Управление",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Теперь проверьте свою электронную почту!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "",
|
||||
"Phone number": "",
|
||||
"Plan": "",
|
||||
"Plan checkout was cancelled.": "",
|
||||
"Plan upgrade was cancelled.": "",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "",
|
||||
"Price": "Цена",
|
||||
"Re-enable emails": "Снова включить письма",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "ඔබගේ comments සඳහා කිසිවෙකු reply කළ විට {{memberEmail}} වෙත තවදුරටත් email මඟින් දැනුම්දීමක් නොකෙරෙනු ඇත.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "මෙම newsletter එක {{memberEmail}} වෙත තවදුරටත් නොලැබෙනු ඇත.",
|
||||
"{{trialDays}} days free": "දින {{trialDays}} ක් දක්වා නොමිලේ",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "වෙබ් අඩවියට පිවිසීම සඳහා link එකක් ඔබගේ email ලිපිනය වෙත යවා ඇත. එය විනාඩි 3ක් ඇතුළත නොපැමිණියේ නම් spam ෆෝල්ඩරය පරීක්ෂා කරන්න.",
|
||||
"Account": "ගිණුම",
|
||||
"Account settings": "ගිණුම් සැකසුම්",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "ඊමේල්",
|
||||
"Emails disabled": "Emails නවත්වා ඇත",
|
||||
"Ends {{offerEndDate}}": "{{offerEndDate}} දී අවසන් වනු ඇත",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Error එකක්",
|
||||
"Expires {{expiryDate}}": "{{expiryDate}} දින අවසන් වෙයි",
|
||||
"Forever": "හැමදාටම",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "මෙහි සඳහන් සියළුම දේ පරීක්ෂා කිරීමෙන් අනතුරුවත් ඔබට emails නොලැබෙන්නේ නම්, {{supportAddress}} සම්බන්ධ කරගනිමින් සහාය ඉල්ලා සිටින්න.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Newsletter එකක් යැවීමේ අවස්ථාවකදී permanent failure එකක් වාර්ථා වුවහොත්, මෙම ගිණුමෙහි emails අක්\u200dරීය කෙරෙනු ඇත.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "ඔබගේ email client එකෙහි contact list එකට {{senderEmail}} ලිපිනය add කරගන්න. මෙම ලිපිනය හරහා ලැබෙන emails විශ්වාසදායී බව මේ හරහා ඔබගේ emailසේවා සපයන්නාට සංඥා කෙරෙනු ඇත.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "මෙවැනි දෑ අඩුවෙන් පෙන්වන්න",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Spam හෝ inbox එකෙහි ඇති Promotions folder වලට emails අත්වැරදීමකින් හෝ ළඟා වන්නේ ද යන්න සහතික කරගන්න. එසේ වන්නේ නම්, \"Mark as not spam\" සහ/හෝ \"Move to inbox\" යන්නෙහි click කරන්න.",
|
||||
"Manage": "කළමනාකරණය කරන්න",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "දැන් ඔබගේ email එක පරික්ෂා කරන්න!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "නැවත subscribe කළ විටත් ඔබගේ inbox එකට email ලැබෙන්නේ නැතිනම්, spam folder එක පරීක්ෂා කරන්න. ඇතැම් සේවා සපයන්නන් මීට පෙර spam සම්බන්ධව ලැබුණු පැමිණිලි පාදක කරගෙන තවදුරටත් emails spam ලෙස ලකුණු කරනු ලබනවා. එසේ වී ඇත්නම්, අලුතින්ම ලැබුණු newsletter එක ඔබගේ primary inbox එකට යැවීමට 'Not spam' ලෙස සළකුනු කරන්න.",
|
||||
"Permanent failure (bounce)": "Permanent failure (bounce) එකක්",
|
||||
"Phone number": "",
|
||||
"Plan": "Plan එක",
|
||||
"Plan checkout was cancelled.": "Plan එක checkout කිරීම අවලංගු කරන ලදී.",
|
||||
"Plan upgrade was cancelled.": "Plan එක upgrade කිරීම අවලංගු කරන ලදී.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "කරුණාකර required files පිරවීමට කටයුතු කරන්න",
|
||||
"Price": "මිල",
|
||||
"Re-enable emails": "ඉමේල් නැවත සක්\u200dරීය කරන්න",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} už nebude dostávať e-maily, keď niekto odpovie na vaše komentáre.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} už nebude dostávať tento newsletter.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dní zdarma",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Prihlasovací odkaz bol odoslaný na váš e-mail. Ak nedorazi do 3 minút, skontrolujte priečinok so spamom",
|
||||
"Account": "Účet",
|
||||
"Account settings": "Nastavenia účtu",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-maily",
|
||||
"Emails disabled": "E-maily vypnuté",
|
||||
"Ends {{offerEndDate}}": "Vyprší {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Chyba",
|
||||
"Expires {{expiryDate}}": "Expiruje {{expiryDate}}",
|
||||
"Forever": "Navždy",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Menej podobných",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Spravovať",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Skontrolujte svoju emailovú schránku!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "Trvalá chyba (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plán",
|
||||
"Plan checkout was cancelled.": "Platba za plán bola zrušená.",
|
||||
"Plan upgrade was cancelled.": "Upgrade plánu bol zrušený",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Prosím kontaktujte {{supportAddress}} pre upravenie vášho bezplatného predplatného.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Prosím vyplňte požadované polia.",
|
||||
"Price": "Cena",
|
||||
"Re-enable emails": "Obnoviť emaily",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "",
|
||||
"{{trialDays}} days free": "{{trialDays}} dni brezplačno",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Povezava za prijavo je bila poslana na vašo e-pošto. Če ne prispe v treh minutah, preverite mapo za neželeno pošto.",
|
||||
"Account": "Račun",
|
||||
"Account settings": "Nastavitve računa",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-pošta",
|
||||
"Emails disabled": "E-pošta onemogočena",
|
||||
"Ends {{offerEndDate}}": "",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "",
|
||||
"Expires {{expiryDate}}": "",
|
||||
"Forever": "",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Ni mi všeč",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Upravljanje",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Preverite e-pošto!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "",
|
||||
"Phone number": "",
|
||||
"Plan": "",
|
||||
"Plan checkout was cancelled.": "",
|
||||
"Plan upgrade was cancelled.": "",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "",
|
||||
"Price": "Cena",
|
||||
"Re-enable emails": "Ponovna vključitev e-poštnih sporočil",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} nuk do të marrë më email kur dikush u përgjigjet komenteve tuaja.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} nuk do te marre me kete buletin.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dite falas",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Një lidhje identifikimi është dërguar në kutinë tuaj hyrëse. Nëse nuk arrin për 3 minuta, sigurohuni që të kontrolloni dosjen tuaj të postës së padëshiruar.",
|
||||
"Account": "Llogaria",
|
||||
"Account settings": "Cilësimet e llogarisë",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Emailet",
|
||||
"Emails disabled": "Emailet e çaktivizuara",
|
||||
"Ends {{offerEndDate}}": "Perfundon {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Gabim",
|
||||
"Expires {{expiryDate}}": "Mbaron",
|
||||
"Forever": "Pergjithmone",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Nëse i keni përfunduar të gjitha këto kontrolle dhe ende nuk po merrni email, mund të kontaktoni për të marrë mbështetje duke kontaktuar {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Në rast se merret një dështim i përhershëm gjatë përpjekjes për të dërguar një buletin, emailet do të çaktivizohen në llogari.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Në klientin tuaj të postës elektronike shtoni {{senderEmail}} në listën tuaj të kontakteve. Kjo i sinjalizon ofruesit tuaj të postës elektronike që emailet e dërguara nga kjo adresë duhet të jenë të besueshme.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Me pak si kjo",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Sigurohuni që emailet të mos përfundojnë aksidentalisht në dosjet e postës së padëshiruar ose të promovimeve të kutisë suaj hyrëse. Nëse janë, klikoni në \"Shëno si jo të padëshiruar\" dhe/ose \"Lëviz te kutia hyrëse\".",
|
||||
"Manage": "Menaxho",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Kontrollo emailin tend tani!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Pasi të regjistroheni përsëri, nëse ende nuk i shihni emailet në kutinë tuaj hyrëse, kontrolloni dosjen tuaj të postës së padëshiruar. Disa ofrues të kutisë hyrëse mbajnë një regjistër të ankesave të mëparshme të postës së padëshiruar dhe do të vazhdojnë të raportojnë emailet. Nëse kjo ndodh, shëno buletinin më të fundit si 'Jo e padëshiruar' për ta zhvendosur atë në kutinë hyrëse kryesore.",
|
||||
"Permanent failure (bounce)": "Deshtim i perhershem (kercim)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plani",
|
||||
"Plan checkout was cancelled.": "Pagesa e planit u anullua.",
|
||||
"Plan upgrade was cancelled.": "Përmirësimi i planit u anullua.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Ju lutem plotesoni fushat e kerkuara",
|
||||
"Price": "Çmimi",
|
||||
"Re-enable emails": "Ri-aktivizo emailet",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} više neće primati mejlove kada neko odgovori na Vaš komentar.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} više neće primati ovaj bilten.",
|
||||
"{{trialDays}} days free": "{{trialDays}} dana besplatno",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Link za prijavljivanje je poslat na Vašu imejl adresu. Ukoliko ne stigne za 3 minuta, proverite folder sa nepoželjnim porukama.",
|
||||
"Account": "Nalog",
|
||||
"Account settings": "Podešavanja naloga",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Imejlovi",
|
||||
"Emails disabled": "Onemogućeni imejlovi",
|
||||
"Ends {{offerEndDate}}": "Završava se {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Greška",
|
||||
"Expires {{expiryDate}}": "Ističe {{expiryDate}}",
|
||||
"Forever": "Zauvek",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Ako ste proverili sve ovo i mejlovi i dalje ne stižu, možete kontaktirati podršku {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "U slučaju trajnog kvara kada pokušavate da pošaljete bilten, imejlovi će biti onemogućeni na tom nalogu.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Manje sadržaja kao ovaj",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Podešavanja",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Proverite svoj imejl!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "",
|
||||
"Phone number": "",
|
||||
"Plan": "",
|
||||
"Plan checkout was cancelled.": "",
|
||||
"Plan upgrade was cancelled.": "",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "",
|
||||
"Price": "Cena",
|
||||
"Re-enable emails": "Omogući email adrese ponovo",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} kommer inte längre att få meddelanden när någon svarar på din kommentar",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} kommer inte längre att få det här nyhetsbrevet",
|
||||
"{{trialDays}} days free": "{{trialDays}} dagar gratis",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "En inloggningslänk har skickats till din inkorg. Om den inte anländer inom 3 minuter, kontrollera din skräppostmapp.",
|
||||
"Account": "Konto",
|
||||
"Account settings": "Kontoinställningar",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-postmeddelanden",
|
||||
"Emails disabled": "E-post inaktiverad",
|
||||
"Ends {{offerEndDate}}": "Avslutas {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Fel",
|
||||
"Expires {{expiryDate}}": "Utgår {{expiryDate}}",
|
||||
"Forever": "Tillsvidare",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Om det fortfarande inte fungerar efter att du undersökt allt kan du kontakta oss på {{supportAddress}}.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Om e-postutskick till din adress resulterar i ett permanent fel kommer utskicksförsök att upphöra.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Spara {{senderEmail}} som en kontakt i ditt e-postprogram. Det signalerar till din e-postleverantör att e-post från denna är adress är viktig.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Mindre sånt här",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Verifiera att e-postmeddelandena inte hamnat i skräppostmappen. Om de gjort det, flytta dem till inkorgen och/eller markera som \"Ej skräppost\".",
|
||||
"Manage": "Hantera",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Kolla nu din e-post!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Om du fortfarande inte ser e-post i din inkorg efter att du återaktiverat utskicken, kontrollera din skräppostmapp. Vissa e-postleverantörer behåller en historik över tidigare spamklagomål och fortsätter att markera e-post som spam. Om detta händer, markera det senaste nyhetsbrevet som 'Inte spam' för att flytta tillbaka det till din huvudsakliga inkorg.",
|
||||
"Permanent failure (bounce)": "Permanent fel vid e-postutsskick (studs)",
|
||||
"Phone number": "",
|
||||
"Plan": "Prenumerationen",
|
||||
"Plan checkout was cancelled.": "Köp av prenumeration avbrutet",
|
||||
"Plan upgrade was cancelled.": "Uppgradering av prenunmeration avbruten",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Kontakta {{supportAddress}} för att ändra din gratisprenumeration ",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Fyll i alla obligatoriska fält",
|
||||
"Price": "Pris",
|
||||
"Re-enable emails": "Återaktivera e-post",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}}, yorumlarınıza yanıt verildiğinde artık e-posta almayacak.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} artık bu bülteni almayacak.",
|
||||
"{{trialDays}} days free": "{{trialDays}} gün ücretsiz",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Gelen kutuna bir giriş linki gönderildi. Eğer 3 dakika içinde ulaşmazsa spam klasörünü kontrol ettiğinden emin ol.",
|
||||
"Account": "Hesap",
|
||||
"Account settings": "Hesap ayarları",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "E-postalar",
|
||||
"Emails disabled": "E-postalar devre dışı",
|
||||
"Ends {{offerEndDate}}": "{{offerEndDate}} tarihinde bitiyor",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Hata",
|
||||
"Expires {{expiryDate}}": "{{expiryDate}} tarihinde sona eriyor",
|
||||
"Forever": "Süresiz",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Tüm bu kontrolleri tamamlamanıza rağmen hala e-posta almıyorsanız, {{supportAddress}} ile iletişime geçerek destek almak için ulaşabilirsiniz.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Haber bülteni göndermeye çalışırken kalıcı bir hata alınması durumunda, hesapta e-postalar devre dışı bırakılır.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "E-posta istemcinizde {{senderEmail}} adresini kişi listenize ekleyin. Bu, posta sağlayıcınıza bu adresten gönderilen e-postaların güvenilir olması gerektiğini bildirir.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Bunun gibi daha az",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "E-postaların yanlışlıkla gelen kutunuzun Spam veya Promosyonlar klasörlerine düşmediğinden emin olun. Varsa, \"Spam değil olarak işaretle\" ve/veya \"Gelen kutusuna taşı\"yı tıklayın.",
|
||||
"Manage": "Yönet",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Şimdi e-posta kutunu kontrol et!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Yeniden abone olduktan sonra hala e-postaları gelen kutunuzda görmüyorsanız, spam klasörünü kontrol edin. Bazı e-posta sağlayıcıları önceki spam şikayetlerini kaydedebilir ve e-postaları işaretlemeye devam edebilir. Bu durumda, en son bülteni 'Spam değil' olarak işaretleyerek ana gelen kutunuza geri taşıyabilirsiniz.",
|
||||
"Permanent failure (bounce)": "Kalıcı başarısızlık (sıçra)",
|
||||
"Phone number": "",
|
||||
"Plan": "Plan",
|
||||
"Plan checkout was cancelled.": "Plan ödemesi iptal edildi.",
|
||||
"Plan upgrade was cancelled.": "Plan yükseltme iptal edildi.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Ücretsiz aboneliğinizi ayarlamak için lütfen {{supportAddress}} ile iletişime geçin.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Lütfen gerekli alanları doldurunuz",
|
||||
"Price": "Fiyat",
|
||||
"Re-enable emails": "E-postaları yeniden etkinleştir",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "",
|
||||
"{{trialDays}} days free": "Безплатно {{trialDays}} дні(-в)",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Посилання для входу було надіслано на твою пошту. Якщо воно не прийде протягом 3 хвилин, перевірь папку спам.",
|
||||
"Account": "Oбліковий запис",
|
||||
"Account settings": "Налаштування облікового запису",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Електронні листи",
|
||||
"Emails disabled": "Електронна пошта вимкнена",
|
||||
"Ends {{offerEndDate}}": "",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "",
|
||||
"Expires {{expiryDate}}": "",
|
||||
"Forever": "",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Менше подібних",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Управління",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "А тепер перевір свою пошту!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "",
|
||||
"Phone number": "",
|
||||
"Plan": "",
|
||||
"Plan checkout was cancelled.": "",
|
||||
"Plan upgrade was cancelled.": "",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "",
|
||||
"Price": "Ціна",
|
||||
"Re-enable emails": "Знову включити пошту",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "",
|
||||
"{{trialDays}} days free": "{{trialDays}} kun bepul",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Kirish havolasi email pochtangizga yuborildi. Agar u 3 daqiqada kelmasa, spam bo'limini tekshiring",
|
||||
"Account": "Hisob",
|
||||
"Account settings": "Hisob sozlamalari",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Elektron xatlar",
|
||||
"Emails disabled": "Elektron pochta xabarlari o‘chirilgan",
|
||||
"Ends {{offerEndDate}}": "",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "",
|
||||
"Expires {{expiryDate}}": "",
|
||||
"Forever": "",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Bu kabi kamroq",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "",
|
||||
"Manage": "Boshqarmoq",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Endi elektron pochtangizni tekshiring!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "",
|
||||
"Permanent failure (bounce)": "",
|
||||
"Phone number": "",
|
||||
"Plan": "",
|
||||
"Plan checkout was cancelled.": "",
|
||||
"Plan upgrade was cancelled.": "",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "",
|
||||
"Price": "Narx",
|
||||
"Re-enable emails": "Elektron pochta xabarlarini qayta yoqing",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} sẽ không còn được nhận email khi ai đó trả lời phản hồi của bạn.",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} sẽ không còn được nhận bản tin này.",
|
||||
"{{trialDays}} days free": "{{trialDays}} ngày đọc thử miễn phí",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "Liên kết đăng nhập đã được gửi đến hộp thư của bạn. Sau 3 phút mà chưa thấy, hãy kiểm tra thư hộp thư spam.",
|
||||
"Account": "Tài khoản",
|
||||
"Account settings": "Cài đặt",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "Emails",
|
||||
"Emails disabled": "Vô hiệu hóa email",
|
||||
"Ends {{offerEndDate}}": "Kết thúc vào {{offerEndDate}}",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "Lỗi",
|
||||
"Expires {{expiryDate}}": "Hết hạn vào {{expiryDate}}",
|
||||
"Forever": "Vĩnh viễn",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "Nếu bạn đã hoàn thành tất cả các bước kiểm tra này mà vẫn không nhận được email, hãy liên hệ với {{supportAddress}} để được hỗ trợ.",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "Trong trường hợp nhận được lỗi vĩnh viễn khi cố gắng gửi bản tin, email sẽ bị vô hiệu hóa trên tài khoản.",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "Trong ứng dụng email của bạn, hãy thêm {{senderEmail}} vào danh sách liên hệ của bạn. Điều này báo hiệu cho nhà cung cấp dịch vụ email của bạn rằng các email được gửi từ địa chỉ này là đáng tin cậy.",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "Không thích lắm",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "Hãy chắc rằng email không đang trong hộp thư Spam hoặc Quảng cáo. Nếu đang vậy, chọn \"Đánh dấu không phải spam\" hoặc \"Chuyển tới Hộp thư đến\".",
|
||||
"Manage": "Quản lý",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "Kiểm tra hộp thư ngay!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "Sau khi đăng ký lại, nếu bạn vẫn không thấy email trong hộp thư đến của mình, hãy kiểm tra mục thư rác. Một số nhà cung cấp email lưu giữ hồ sơ về các khiếu nại thư rác trước đây và sẽ tiếp tục gắn nhãn email. Nếu điều này xảy ra, hãy đánh dấu bản tin mới nhất là 'Không phải thư rác' để chuyển nó trở lại hộp thư đến chính của bạn.",
|
||||
"Permanent failure (bounce)": "Thất bại vĩnh viễn (thư bị trả lại)",
|
||||
"Phone number": "",
|
||||
"Plan": "Gói",
|
||||
"Plan checkout was cancelled.": "Đã hủy thanh toán.",
|
||||
"Plan upgrade was cancelled.": "Đã hủy nâng cấp gói.",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "Vui lòng liên hệ {{supportAddress}} để điều chỉnh gói đăng ký.",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "Vui lòng điền các mục bắt buộc",
|
||||
"Price": "Giá",
|
||||
"Re-enable emails": "Kích hoạt lại email",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}} 將不再收到他人回覆您的評論時的通知。",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}} 將不再收到此電子報。",
|
||||
"{{trialDays}} days free": "{{trialDays}} 天免費試用",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "登入連結已經發送到您的收件匣。如果在 3 分鐘內未收到,請務必檢查您的垃圾郵件。",
|
||||
"Account": "帳號",
|
||||
"Account settings": "帳號設定",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "電子報",
|
||||
"Emails disabled": "已停止接收電子報",
|
||||
"Ends {{offerEndDate}}": "於 {{offerEndDate}} 結束",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "錯誤",
|
||||
"Expires {{expiryDate}}": "於 {{expiryDate}} 過期",
|
||||
"Forever": "永久",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "如果您已經完成了上述所有檢查項目,但仍然沒有收到電子報,您可以透過聯繫 {{supportAddress}} 取得協助。",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "要是系統發送電子報時遇到永久失敗的情形,該帳號將停止接收電子報。",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "在您的 email 系統中將 {{senderEmail}} 加入您的聯絡人列表中。如此一來,您的 email 系統就會知道可以信任從該地址發送的郵件。",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "不感興趣",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "請確保郵件沒有意外地被歸類為垃圾郵件或促銷郵件。如果發生這類情形,請點擊「標記為非垃圾郵件」或「移至收件匣」。",
|
||||
"Manage": "管理",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "立即檢查您的 email。",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "重新訂閱後,如果您在收件夾中仍然看不到郵件,請檢查您的垃圾郵件匣。一些 email 服務商會保留先前的垃圾郵件記錄並持續標記此類郵件。如果發生這種情況,請將最新的電子報標記為「非垃圾郵件」,將其移回您的主要收件匣。",
|
||||
"Permanent failure (bounce)": "永久錯誤 (郵件遭到退回)",
|
||||
"Phone number": "",
|
||||
"Plan": "訂閱方案",
|
||||
"Plan checkout was cancelled.": "訂閱付款已取消。",
|
||||
"Plan upgrade was cancelled.": "訂閱升級已取消。",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "請聯絡 {{supportAddress}} 來調整你的免費的訂閱。",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "請填寫必填項目",
|
||||
"Price": "價格",
|
||||
"Re-enable emails": "重新啟用 email",
|
||||
|
|
|
@ -10,6 +10,7 @@
|
|||
"{{memberEmail}} will no longer receive emails when someone replies to your comments.": "{{memberEmail}}将不会再收到评论回复提醒邮件。",
|
||||
"{{memberEmail}} will no longer receive this newsletter.": "{{memberEmail}}将不会再收到本刊物。",
|
||||
"{{trialDays}} days free": "{{trialDays}} 天免费试用",
|
||||
"+1 (123) 456-7890": "",
|
||||
"A login link has been sent to your inbox. If it doesn't arrive in 3 minutes, be sure to check your spam folder.": "登录链接已经发送到您的收件箱。如果在3分钟内还没有收到,请务必检查您的垃圾邮件文件夹。",
|
||||
"Account": "账户",
|
||||
"Account settings": "账户设置",
|
||||
|
@ -53,6 +54,8 @@
|
|||
"Emails": "电子邮件列表",
|
||||
"Emails disabled": "关闭电子邮件列表",
|
||||
"Ends {{offerEndDate}}": "于{{offerEndDate}}结束",
|
||||
"Enter your email address": "",
|
||||
"Enter your name": "",
|
||||
"Error": "错误",
|
||||
"Expires {{expiryDate}}": "于{{expiryDate}}过期",
|
||||
"Forever": "永久",
|
||||
|
@ -72,6 +75,9 @@
|
|||
"If you've completed all these checks and you're still not receiving emails, you can reach out to get support by contacting {{supportAddress}}.": "如果您已经完成全部检查项目却依旧没有收到邮件,您可以联系{{supportAddress}}获取支持。",
|
||||
"In the event a permanent failure is received when attempting to send a newsletter, emails will be disabled on the account.": "当尝试发送快报时遇到永久错误,向该账户的发送邮件的功能将被禁用。",
|
||||
"In your email client add {{senderEmail}} to your contacts list. This signals to your mail provider that emails sent from this address should be trusted.": "在您的电子邮件客户端将 {{senderEmail}} 加入联系人列表。这将向您的邮件供应商表明来自该地址的邮件是可信的。",
|
||||
"Invalid email address": "",
|
||||
"Jamie Larson": "",
|
||||
"jamie@example.com": "",
|
||||
"Less like this": "不喜欢",
|
||||
"Make sure emails aren't accidentally ending up in the Spam or Promotions folders of your inbox. If they are, click on \"Mark as not spam\" and/or \"Move to inbox\".": "确保邮件没有被意外标记为垃圾或者促销邮件。如果是,点击“非垃圾邮件”或者“移动到收件箱”。",
|
||||
"Manage": "管理",
|
||||
|
@ -86,10 +92,12 @@
|
|||
"Now check your email!": "现在请检查您的电子邮件!",
|
||||
"Once resubscribed, if you still don't see emails in your inbox, check your spam folder. Some inbox providers keep a record of previous spam complaints and will continue to flag emails. If this happens, mark the latest newsletter as 'Not spam' to move it back to your primary inbox.": "重新订阅后在收件箱依旧没有看到邮件,请检查您的垃圾邮件箱。一些服务商会保留之前的垃圾邮件记录并持续标记。如果是这样,请将最新的快报标记为“非垃圾邮件”并将其移动到收件箱。",
|
||||
"Permanent failure (bounce)": "永久错误 (bounce)",
|
||||
"Phone number": "",
|
||||
"Plan": "订阅计划",
|
||||
"Plan checkout was cancelled.": "订阅付款已取消。",
|
||||
"Plan upgrade was cancelled.": "订阅升级已取消。",
|
||||
"Please contact {{supportAddress}} to adjust your complimentary subscription.": "请联系 {{supportAddress}} 调整您的免费订阅。",
|
||||
"Please enter {{fieldName}}": "",
|
||||
"Please fill in required fields": "请填写必须项目",
|
||||
"Price": "价格",
|
||||
"Re-enable emails": "重启电子邮件",
|
||||
|
|
Loading…
Add table
Reference in a new issue