0
Fork 0
mirror of https://github.com/TryGhost/Ghost.git synced 2025-03-11 02:12:21 -05:00

🌐 Improved i18n support for Portal error messages (#21190)

no ref

Expose (some) Portal error strings for translations

💩This is a somewhat hacky (but test-passing and individual inspection
passing) solution to the way Portal handles errors. Or rather, the
half-dozen ways Portal handles errors.

Passing 't' around with context and state, and occasionally recreating
it from the site object. Yes, I am also somewhat horrified, but a better
implementation will need a major rewrite of Portal.

Addresses errors in both the popover React app and in the
data-attributes.

There are probably more. Since Portal exposes raw API responses in some
places, it's hard to enumerate everything that /might/ end up being
client-facing, but at least I've gotten the ones that I've commonly
seen.

Improvements very welcome.
This commit is contained in:
Cathy Sarisky 2024-10-03 09:35:23 -04:00 committed by GitHub
parent 269ed3891d
commit 1196688b0e
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
59 changed files with 1838 additions and 43 deletions

View file

@ -10,7 +10,9 @@ const AppContext = React.createContext({
pageData: {},
onAction: (action, data) => {
return {action, data};
}
},
t: () => {}
});
export default AppContext;

View file

@ -1,5 +1,5 @@
import setupGhostApi from './utils/api';
import {HumanReadableError} from './utils/errors';
import {chooseBestErrorMessage} from './utils/errors';
import {createPopupNotification, getMemberEmail, getMemberName, getProductCadenceFromPrice, removePortalLinkFromUrl, getRefDomain} from './utils/helpers';
function switchPage({data, state}) {
@ -67,17 +67,19 @@ async function signout({api, state}) {
action: 'signout:success'
};
} catch (e) {
const {t} = state;
return {
action: 'signout:failed',
popupNotification: createPopupNotification({
type: 'signout:failed', autoHide: false, closeable: true, state, status: 'error',
message: 'Failed to log out, please try again'
message: t('Failed to log out, please try again')
})
};
}
}
async function signin({data, api, state}) {
const {t} = state;
try {
const integrityToken = await api.member.getIntegrityToken();
await api.member.sendMagicLink({...data, emailType: 'signin', integrityToken});
@ -90,7 +92,7 @@ async function signin({data, api, state}) {
action: 'signin:failed',
popupNotification: createPopupNotification({
type: 'signin:failed', autoHide: false, closeable: true, state, status: 'error',
message: HumanReadableError.getMessageFromError(e, 'Failed to log in, please try again')
message: chooseBestErrorMessage(e, t('Failed to log in, please try again'), t)
})
};
}
@ -119,12 +121,13 @@ async function signup({data, state, api}) {
lastPage: 'signup'
};
} catch (e) {
const message = e?.message || 'Failed to sign up, please try again';
const {t} = state;
const message = chooseBestErrorMessage(e, t('Failed to sign up, please try again'), t);
return {
action: 'signup:failed',
popupNotification: createPopupNotification({
type: 'signup:failed', autoHide: false, closeable: true, state, status: 'error',
message
message: message
})
};
}
@ -146,17 +149,19 @@ async function checkoutPlan({data, state, api}) {
}
});
} catch (e) {
const {t} = state;
return {
action: 'checkoutPlan:failed',
popupNotification: createPopupNotification({
type: 'checkoutPlan:failed', autoHide: false, closeable: true, state, status: 'error',
message: 'Failed to process checkout, please try again'
message: t('Failed to process checkout, please try again')
})
};
}
}
async function updateSubscription({data, state, api}) {
const {t} = state;
try {
const {plan, planId, subscriptionId, cancelAtPeriodEnd} = data;
const {tierId, cadence} = getProductCadenceFromPrice({site: state?.site, priceId: planId});
@ -175,7 +180,7 @@ async function updateSubscription({data, state, api}) {
action,
popupNotification: createPopupNotification({
type: action, autoHide: true, closeable: true, state, status: 'success',
message: 'Subscription plan updated successfully'
message: t('Subscription plan updated successfully')
}),
page: 'accountHome',
member: member
@ -185,7 +190,7 @@ async function updateSubscription({data, state, api}) {
action: 'updateSubscription:failed',
popupNotification: createPopupNotification({
type: 'updateSubscription:failed', autoHide: false, closeable: true, state, status: 'error',
message: 'Failed to update subscription, please try again'
message: t('Failed to update subscription, please try again')
})
};
}
@ -205,11 +210,12 @@ async function cancelSubscription({data, state, api}) {
member: member
};
} catch (e) {
const {t} = state;
return {
action: 'cancelSubscription:failed',
popupNotification: createPopupNotification({
type: 'cancelSubscription:failed', autoHide: false, closeable: true, state, status: 'error',
message: 'Failed to cancel subscription, please try again'
message: t('Failed to cancel subscription, please try again')
})
};
}
@ -229,11 +235,12 @@ async function continueSubscription({data, state, api}) {
member: member
};
} catch (e) {
const {t} = state;
return {
action: 'continueSubscription:failed',
popupNotification: createPopupNotification({
type: 'continueSubscription:failed', autoHide: false, closeable: true, state, status: 'error',
message: 'Failed to cancel subscription, please try again'
message: t('Failed to cancel subscription, please try again')
})
};
}
@ -243,11 +250,12 @@ async function editBilling({data, state, api}) {
try {
await api.member.editBilling(data);
} catch (e) {
const {t} = state;
return {
action: 'editBilling:failed',
popupNotification: createPopupNotification({
type: 'editBilling:failed', autoHide: false, closeable: true, state, status: 'error',
message: 'Failed to update billing information, please try again'
message: t('Failed to update billing information, please try again')
})
};
}
@ -294,18 +302,20 @@ async function updateNewsletterPreference({data, state, api}) {
member
};
} catch (e) {
const {t} = state;
return {
action: 'updateNewsletterPref:failed',
popupNotification: createPopupNotification({
type: 'updateNewsletter:failed',
autoHide: true, closeable: true, state, status: 'error',
message: 'Failed to update newsletter settings'
message: t('Failed to update newsletter settings')
})
};
}
}
async function removeEmailFromSuppressionList({state, api}) {
const {t} = state;
try {
await api.member.deleteSuppression();
const action = 'removeEmailFromSuppressionList:success';
@ -313,7 +323,7 @@ async function removeEmailFromSuppressionList({state, api}) {
action,
popupNotification: createPopupNotification({
type: 'removeEmailFromSuppressionList:success', autoHide: true, closeable: true, state, status: 'success',
message: 'You have been successfully resubscribed'
message: t('You have been successfully resubscribed')
})
};
} catch (e) {
@ -322,13 +332,14 @@ async function removeEmailFromSuppressionList({state, api}) {
popupNotification: createPopupNotification({
type: 'removeEmailFromSuppressionList:failed',
autoHide: true, closeable: true, state, status: 'error',
message: 'Your email has failed to resubscribe, please try again'
message: t('Your email has failed to resubscribe, please try again')
})
};
}
}
async function updateNewsletter({data, state, api}) {
const {t} = state;
try {
const {subscribed} = data;
const member = await api.member.update({subscribed});
@ -341,7 +352,7 @@ async function updateNewsletter({data, state, api}) {
member: member,
popupNotification: createPopupNotification({
type: action, autoHide: true, closeable: true, state, status: 'success',
message: 'Email newsletter settings updated'
message: t('Email newsletter settings updated')
})
};
} catch (e) {
@ -349,7 +360,7 @@ async function updateNewsletter({data, state, api}) {
action: 'updateNewsletter:failed',
popupNotification: createPopupNotification({
type: 'updateNewsletter:failed', autoHide: true, closeable: true, state, status: 'error',
message: 'Failed to update newsletter settings'
message: t('Failed to update newsletter settings')
})
};
}
@ -421,6 +432,7 @@ async function refreshMemberData({state, api}) {
}
async function updateProfile({data, state, api}) {
const {t} = state;
const [dataUpdate, emailUpdate] = await Promise.all([updateMemberData({data, state, api}), updateMemberEmail({data, state, api})]);
if (dataUpdate && emailUpdate) {
if (emailUpdate.success) {
@ -430,11 +442,11 @@ async function updateProfile({data, state, api}) {
page: 'accountHome',
popupNotification: createPopupNotification({
type: 'updateProfile:success', autoHide: true, closeable: true, status: 'success', state,
message: 'Check your inbox to verify email update'
message: t('Check your inbox to verify email update')
})
};
}
const message = !dataUpdate.success ? 'Failed to update account data' : 'Failed to send verification email';
const message = !dataUpdate.success ? t('Failed to update account data') : t('Failed to send verification email');
return {
action: 'updateProfile:failed',
@ -446,7 +458,7 @@ async function updateProfile({data, state, api}) {
} else if (dataUpdate) {
const action = dataUpdate.success ? 'updateProfile:success' : 'updateProfile:failed';
const status = dataUpdate.success ? 'success' : 'error';
const message = !dataUpdate.success ? 'Failed to update account details' : 'Account details updated successfully';
const message = !dataUpdate.success ? t('Failed to update account details') : t('Account details updated successfully');
return {
action,
...(dataUpdate.success ? {member: dataUpdate.member} : {}),
@ -458,7 +470,7 @@ async function updateProfile({data, state, api}) {
} else if (emailUpdate) {
const action = emailUpdate.success ? 'updateProfile:success' : 'updateProfile:failed';
const status = emailUpdate.success ? 'success' : 'error';
const message = !emailUpdate.success ? 'Failed to send verification email' : 'Check your inbox to verify email update';
const message = !emailUpdate.success ? t('Failed to send verification email') : t('Check your inbox to verify email update');
return {
action,
...(emailUpdate.success ? {page: 'accountHome'} : {}),
@ -472,7 +484,7 @@ async function updateProfile({data, state, api}) {
page: 'accountHome',
popupNotification: createPopupNotification({
type: 'updateProfile:success', autoHide: true, closeable: true, status: 'success', state,
message: 'Account details updated successfully'
message: t('Account details updated successfully')
})
};
}

View file

@ -4,7 +4,7 @@ import {ReactComponent as ThumbDownIcon} from '../../images/icons/thumbs-down.sv
import {ReactComponent as ThumbUpIcon} from '../../images/icons/thumbs-up.svg';
import {ReactComponent as ThumbErrorIcon} from '../../images/icons/thumbs-error.svg';
import setupGhostApi from '../../utils/api';
import {HumanReadableError} from '../../utils/errors';
import {chooseBestErrorMessage} from '../../utils/errors';
import ActionButton from '../common/ActionButton';
import CloseButton from '../common/CloseButton';
import LoadingPage from './LoadingPage';
@ -317,7 +317,7 @@ export default function FeedbackPage() {
await sendFeedback({siteUrl: site.url, uuid, key, postId, score: selectedScore}, api);
setScore(selectedScore);
} catch (e) {
const text = HumanReadableError.getMessageFromError(e, t('There was a problem submitting your feedback. Please try again a little later.'));
const text = chooseBestErrorMessage(e, t('There was a problem submitting your feedback. Please try again a little later.'), t);
setError(text);
}
setLoading(false);

View file

@ -1,8 +1,12 @@
/* eslint-disable no-console */
import {getCheckoutSessionDataFromPlanAttribute, getUrlHistory} from './utils/helpers';
import {HumanReadableError} from './utils/errors';
import {HumanReadableError, chooseBestErrorMessage} from './utils/errors';
import i18nLib from '@tryghost/i18n';
export function formSubmitHandler({event, form, errorEl, siteUrl, submitHandler}) {
export function formSubmitHandler({event, form, errorEl, siteUrl, submitHandler},
t = (str) => {
return str;
}) {
form.removeEventListener('submit', submitHandler);
event.preventDefault();
if (errorEl) {
@ -84,13 +88,16 @@ export function formSubmitHandler({event, form, errorEl, siteUrl, submitHandler}
}).catch((err) => {
if (errorEl) {
// This theme supports a custom error element
errorEl.innerText = HumanReadableError.getMessageFromError(err, 'There was an error sending the email, please try again');
errorEl.innerText = chooseBestErrorMessage(err, t('There was an error sending the email, please try again'), t);
}
form.classList.add('error');
});
}
export function planClickHandler({event, el, errorEl, siteUrl, site, member, clickHandler}) {
const i18nLanguage = site.locale | 'en';
const i18n = i18nLib(i18nLanguage, 'portal');
const t = i18n.t;
el.removeEventListener('click', clickHandler);
event.preventDefault();
let plan = el.dataset.membersPlan;
@ -143,7 +150,7 @@ export function planClickHandler({event, el, errorEl, siteUrl, site, member, cli
})
}).then(function (res) {
if (!res.ok) {
throw new Error('Could not create stripe checkout session');
throw new Error(t('Could not create stripe checkout session'));
}
return res.json();
});
@ -171,6 +178,9 @@ export function planClickHandler({event, el, errorEl, siteUrl, site, member, cli
}
export function handleDataAttributes({siteUrl, site, member}) {
const i18nLanguage = site.locale | 'en';
const i18n = i18nLib(i18nLanguage, 'portal');
const t = i18n.t;
if (!siteUrl) {
return;
}
@ -178,7 +188,7 @@ export function handleDataAttributes({siteUrl, site, member}) {
Array.prototype.forEach.call(document.querySelectorAll('form[data-members-form]'), function (form) {
let errorEl = form.querySelector('[data-members-error]');
function submitHandler(event) {
formSubmitHandler({event, errorEl, form, siteUrl, submitHandler});
formSubmitHandler({event, errorEl, form, siteUrl, submitHandler}, t);
}
form.addEventListener('submit', submitHandler);
});
@ -234,7 +244,7 @@ export function handleDataAttributes({siteUrl, site, member}) {
})
}).then(function (res) {
if (!res.ok) {
throw new Error('Could not create stripe checkout session');
throw new Error(t('Could not create stripe checkout session'));
}
return res.json();
});
@ -245,7 +255,7 @@ export function handleDataAttributes({siteUrl, site, member}) {
});
}).then(function (result) {
if (result.error) {
throw new Error(result.error.message);
throw new Error(t(result.error.message));
}
}).catch(function (err) {
console.error(err);
@ -323,7 +333,7 @@ export function handleDataAttributes({siteUrl, site, member}) {
el.classList.add('error');
if (errorEl) {
errorEl.innerText = 'There was an error cancelling your subscription, please try again.';
errorEl.innerText = t('There was an error cancelling your subscription, please try again.');
}
}
});
@ -373,7 +383,7 @@ export function handleDataAttributes({siteUrl, site, member}) {
el.classList.add('error');
if (errorEl) {
errorEl.innerText = 'There was an error continuing your subscription, please try again.';
errorEl.innerText = t('There was an error continuing your subscription, please try again.');
}
}
});

View file

@ -0,0 +1,58 @@
import {HumanReadableError, chooseBestErrorMessage} from '../utils/errors';
describe('error messages are set correctly', () => {
test('handles 400 error without defaultMessage', async () => {
function t(message) {
return 'translated ' + message;
}
const error = new Response('{"errors":[{"message":"This is a 400 error"}]}', {status: 400});
const humanReadableError = await HumanReadableError.fromApiResponse(error);
expect(chooseBestErrorMessage(humanReadableError, null, t)).toEqual('translated This is a 400 error');
});
test('handles an error with defaultMessage not a special message', async () => {
function t(message) {
return 'translated ' + message;
}
const error = new Response('{"errors":[{"message":"This is a 400 error"}]}', {status: 400});
const humanReadableError = await HumanReadableError.fromApiResponse(error);
// note that the default message is passed in already-translated.
expect(chooseBestErrorMessage(humanReadableError, 'translated default message', t)).toEqual('translated default message');
});
test('handles an error with defaultMessage that is a special message', async () => {
function t(message) {
return 'translated ' + message;
}
const error = new Response('{"errors":[{"message":"Too many attempts try again in {{number}} minutes."}]}', {status: 400});
const humanReadableError = await HumanReadableError.fromApiResponse(error);
expect(chooseBestErrorMessage(humanReadableError, 'this is the default message', t)).toEqual('translated Too many attempts try again in {{number}} minutes.');
});
test('handles an error when the message has a number', async () => {
function t(message, {number: number}) {
return 'translated ' + message + ' ' + number;
}
const error = new Response('{"errors":[{"message":"Too many attempts try again in 10 minutes."}]}', {status: 400});
const humanReadableError = await HumanReadableError.fromApiResponse(error);
expect(chooseBestErrorMessage(humanReadableError, 'this is the default message', t)).toEqual('translated Too many attempts try again in {{number}} minutes. 10');
});
test('handles a 500 error', async () => {
function t(message) {
return 'translated ' + message;
}
const error = new Response('{"errors":[{"message":"This is a 500 error"}]}', {status: 500});
const humanReadableError = await HumanReadableError.fromApiResponse(error);
expect(chooseBestErrorMessage(humanReadableError, null, t)).toEqual('translated A server error occurred');
});
test('gets the magic link error message correctly', async () => {
function t(message) {
return 'translated ' + message;
}
const error = new Response('{"errors":[{"message":"Failed to send magic link email"}]}', {status: 400});
const humanReadableError = await HumanReadableError.fromApiResponse(error);
expect(chooseBestErrorMessage(humanReadableError, null, t)).toEqual('translated Failed to send magic link email');
});
});

View file

@ -17,16 +17,86 @@ export class HumanReadableError extends Error {
return false;
}
}
}
/**
* Only output the message of an error if it is a human readable error and should be exposed to the user.
* Otherwise it returns a default generic message.
*/
static getMessageFromError(error, defaultMessage) {
if (error instanceof HumanReadableError) {
return error.message;
if (res.status === 500) {
return new HumanReadableError('A server error occurred');
}
return defaultMessage;
}
}
export const specialMessages = [];
/**
* Attempt to return the best available message to the user, after translating it.
* We detect special messages coming from the API for which we want to serve a specific translation.
* Many "alreadyTranslatedDefaultMessages" are pretty vague, so we want to replace them with a more specific message
* whenever one is available.
*/
export function chooseBestErrorMessage(error, alreadyTranslatedDefaultMessage, t) {
// helper functions
const translateMessage = (message, number = null) => {
if (number) {
return t(message, {number});
} else {
return t(message);
}
};
const setupSpecialMessages = () => {
// eslint-disable-next-line no-shadow
const t = message => specialMessages.push(message);
if (specialMessages.length === 0) {
// This formatting is intentionally weird. It causes the i18n-parser to pick these strings up.
// Do not redefine this t. It's a local function and needs to stay that way.
t('No member exists with this e-mail address. Please sign up first.');
t('No member exists with this e-mail address.');
t('This site is invite-only, contact the owner for access.');
t('Unable to initiate checkout session');
t('This site is not accepting payments at the moment.');
t('Too many attempts try again in {{number}} minutes.');
t('Too many attempts try again in {{number}} hours.');
t('Too many attempts try again in {{number}} days.');
t('Too many different sign-in attempts, try again in {{number}} minutes');
t('Too many different sign-in attempts, try again in {{number}} hours');
t('Too many different sign-in attempts, try again in {{number}} days');
t('Failed to send magic link email');
}
};
const isSpecialMessage = (message) => {
if (specialMessages.length === 0) {
setupSpecialMessages();
}
if (specialMessages.includes(message)) {
return true;
}
return false;
};
const prepareErrorMessage = (message = null) => {
// Check for a number in message, if found, replace the number with {{number}} and return the number.
// Assumes there's only one number in the message.
if (!message) {
return {preparedMessage: 'An error occurred', number: null};
}
const number = message.match(/\d+/);
if (number) {
message = message.replace(number[0], '{{number}}');
}
return {preparedMessage: message, number: number ? number[0] : null};
};
// main function
if (!error && !alreadyTranslatedDefaultMessage) {
return t('An error occurred');
}
if (error instanceof HumanReadableError || error.message) {
const {preparedMessage, number} = prepareErrorMessage(error.message);
if (isSpecialMessage(preparedMessage)) {
return translateMessage(preparedMessage, number);
} else {
return alreadyTranslatedDefaultMessage || translateMessage(error?.message);
}
} else {
// use the default message if there's no error message
// if we don't have a default message either, fall back to a generic message plus the actual error.
return alreadyTranslatedDefaultMessage || t('An error occurred') + ': ' + error.toString();
}
}

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Rekening instellings",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Na afloop van die gratis proeftydperk sal u die vasgestelde pry vir die vlak wat u gekies het, betaal. U kan altyd voor die tyd kanselleer.",
"Already a member?": "Is u reeds 'n lid?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "'n Onverwagte fout het voorgekom. Probeer asseblief weer of <a>kontak kliëntediens</a> as die fout voortduur.",
"Back": "Terug",
"Back to Log in": "Terug na aanmelding",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Kyk in spam & promosie vouers",
"Check with your mail provider": "Kyk by u e-posverskaffer",
"Check your inbox to verify email update": "",
"Choose": "Kies",
"Choose a different plan": "Kies 'n ander plan",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kontak kliëntediens",
"Continue": "Gaan voort",
"Continue subscription": "Gaan voort met inskrywing",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Kon nie aanmeld nie. Aanmeldskakel het verval.",
"Could not update email! Invalid link.": "Kon nie e-pos opdateer nie! Ongeldige skakel.",
"Create a new contact": "Skep 'n nuwe kontak",
@ -52,6 +56,7 @@
"Edit": "Wysig",
"Email": "E-pos",
"Email newsletter": "Epos nuusbrief",
"Email newsletter settings updated": "",
"Email preferences": "E-pos instellings",
"Emails": "E-posse",
"Emails disabled": "E-posse afgeskakel",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Fout",
"Expires {{expiryDate}}": "Verval {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Verewig",
"Free Trial Ends {{trialEnd}}": "Gratis proeftydperk Eindig {{trialEnd}}",
"Get help": "Kry hulp",
@ -91,6 +108,8 @@
"Name": "Naam",
"Need more help? Contact support": "Benodig meer hulp? Kontak kliëntediens",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Nuusbriewe kan op u rekening afgeskakel word vir twee redes: 'n Vorige e-pos is as spam gemerk, of 'n poging om 'n e-pos te stuur het tot 'n permanente fout gelei (bounce).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Ontvang u nie e-posse nie?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Stuur terugvoering",
"Subscribe": "Teken in",
"Subscribed": "Ingeteken",
"Subscription plan updated successfully": "",
"Success": "Sukses",
"Success! Check your email for magic link to sign-in.": "Sukses! Kyk in jou e-pos vir 'n magiese skakel om aan te meld.",
"Success! Your account is fully activated, you now have access to all content.": "Sukses! U rekening is ten volle geaktiveer, u het nou toegang tot alle inhoud.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Dit het nie volgens plan verloop nie",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Die epos addres wat ons vir u het is {{memberEmail}} — as dit nie korrek is nie, kan u dit opdateer in u <button>rekeninginstellings area</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Daar was 'n probleem om u terugvoering in te dien. Probeer asseblief later weer.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Hierdie webwerf is slegs op uitnodiging, kontak die eienaar vir toegang.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Om die registrasie te voltooi, kliek op die bevestigingskakel in jou inboks. As dit nie binne 3 minute aankom nie, kontroleer asseblief jou spam-vouer!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Probeer gratis vir {{amount}} dae, dan {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Ontsluit toegang tot alle nuusbriewe deur 'n betaalde intekenaar te word.",
"Unsubscribe from all emails": "Meld af van alle e-posse",
"Unsubscribed": "Afgemeld",
@ -170,6 +200,7 @@
"You've successfully signed in.": "U het suksesvol aangemeld.",
"You've successfully subscribed to": "Jy het suksesvol ingeteken op",
"Your account": "U rekening",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "U insette help om te bepaal wat gepubliseer word.",
"Your subscription will expire on {{expiryDate}}": "U intekening sal verval op {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "U intekening sal hernu op {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "اعدادات الحساب",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "بعد انتهاء المدة التجريبية، سيتم خصم السعر العادي للباقة التي اخترتها. بامكانك الغاء الاشتراك قبل ذلك.",
"Already a member?": "هل انت عضو؟",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "",
"Back": "الرجوع",
"Back to Log in": "الرجوع الى تسجيل الدخول",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "",
"Check with your mail provider": "",
"Check your inbox to verify email update": "",
"Choose": "",
"Choose a different plan": "اختر اشتراك مختلف",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "",
"Continue": "استمرار",
"Continue subscription": "",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "",
"Could not update email! Invalid link.": "",
"Create a new contact": "",
@ -52,6 +56,7 @@
"Edit": "",
"Email": "بريد الكترني",
"Email newsletter": "",
"Email newsletter settings updated": "",
"Email preferences": "تفضيلات",
"Emails": "البريد الاكتروني",
"Emails disabled": "تم تعطيل جميع بريد الاكترونية",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "",
"Expires {{expiryDate}}": "",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "",
"Free Trial Ends {{trialEnd}}": "",
"Get help": "المساعدة",
@ -91,6 +108,8 @@
"Name": "الاسم",
"Need more help? Contact support": "",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "لم تستلم رسالة بريدية؟",
"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.": "",
@ -126,6 +145,7 @@
"Submit feedback": "تسليم رأيك",
"Subscribe": "",
"Subscribed": "",
"Subscription plan updated successfully": "",
"Success": "",
"Success! Check your email for magic link to sign-in.": "",
"Success! Your account is fully activated, you now have access to all content.": "",
@ -138,12 +158,22 @@
"That didn't go to plan": "لم تسر الامور على ما يرام",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "هذا الموقع للمشتركين فقط، تواصل مع ادارة الموقع للحصول على اشتراك.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "لاكمال انشاء حسابك، استخدم رابط التأكيد المرسل الى بريد. اذا لم تتلقى الرسالة خلال 3 دقائق، برجاء التأكد من مجلد المهملات.",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "",
"Unsubscribe from all emails": "الغ الاشتراك من جميع الرسائل",
"Unsubscribed": "",
@ -170,6 +200,7 @@
"You've successfully signed in.": "",
"You've successfully subscribed to": "",
"Your account": "حسابك",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "آرائك تساهم في تحسين ما ينشر.",
"Your subscription will expire on {{expiryDate}}": "",
"Your subscription will renew on {{renewalDate}}": "",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+359 88 123-4567",
"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 details updated successfully": "",
"Account settings": "Настройки на профила Ви",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "След приключване на безплатния период ще бъдете таксувани според обявените цени. Можете да се откажете преди изтичането на безплатния период.",
"Already a member?": "Абонат ли сте вече?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Възникна неочаквана грешка. Моля, опитайте отново или <a>потърсете поддръжката</a> ако това се повтаря.",
"Back": "Обратно",
"Back to Log in": "Обратно към формата за влизане",
@ -28,6 +30,7 @@
"Change plan": "Промени плана",
"Check spam & promotions folders": "Провери папките за спам и промоции",
"Check with your mail provider": "Уведомете доставчика ви на ел. поща",
"Check your inbox to verify email update": "",
"Choose": "Избери",
"Choose a different plan": "Избери различен план",
"Choose a plan": "Изберете план",
@ -42,6 +45,7 @@
"Contact support": "Връзка с поддръжката",
"Continue": "Продължи",
"Continue subscription": "Продължете абонамента",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Не можете да влезете. Връзката за вход е изветряла.",
"Could not update email! Invalid link.": "Не успяхме да обновим имейла! Невалиден линк.",
"Create a new contact": "Създайте нов контакт",
@ -52,6 +56,7 @@
"Edit": "Редакция",
"Email": "Имейл адрес",
"Email newsletter": "Имейл бюлетин",
"Email newsletter settings updated": "",
"Email preferences": "Имейл настройки ",
"Emails": "Имейли",
"Emails disabled": "Писмата са спрени",
@ -60,6 +65,18 @@
"Enter your name": "Попълнете вашето име",
"Error": "Грешка",
"Expires {{expiryDate}}": "Изтича {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Завинаги",
"Free Trial Ends {{trialEnd}}": "Безплатен тест до {{trialEnd}}",
"Get help": "Получете помощ",
@ -91,6 +108,8 @@
"Name": "Име",
"Need more help? Contact support": "Още имате нужда от помощ? Потърсете поддръжката",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Информационните бюлетини могат да бъдат деактивирани в профила ви по две причини: Предишен имейл е бил маркиран като спам или опитът за изпращане на имейл е довел до траен неуспех (отказ).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Не получавате поща?",
"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.": "След като се абонирате отново, ако все още не виждате имейли във входящата си поща, проверете папката за спам. Някои доставчици пазят история с предишни оплаквания за спам и ще продължат да маркират имейлите. Ако вашият случай е такъв, маркирайте последния бюлетин като 'Не е спам', за да го преместите обратно в основната си пощенска кутия.",
@ -126,6 +145,7 @@
"Submit feedback": "Изпрати отзив",
"Subscribe": "Абонамент",
"Subscribed": "Абониран",
"Subscription plan updated successfully": "",
"Success": "Чудесно",
"Success! Check your email for magic link to sign-in.": "Чудесно! Проверете имейла си за вашия магически линк за влизане.",
"Success! Your account is fully activated, you now have access to all content.": "Чудесно! Вашият акаунт е активиран и вече имате достъп до цялото съдържание.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Нещо се обърка и не стана както трябваше",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Имейлът, който имаме за вас, е {{memberEmail}} - ако не е верен, можете да го актуализирате в областта за <button>настройки на профила си</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Имаше проблем при изпращането на обратната връзка. Моля, опитайте отново малко по-късно.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Получи се грешка при обработката на вашето плащане. Моля, опитайте отново.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Сайтът е само с покани. Свържете се със собственика за да получите достъп.",
"This site is not accepting payments at the moment.": "В момента сайтът не приема плащания.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "За да приключите регистрацията, последвайте препратката в съобщението, изпратено Ви по имейл. Ако не пристигне до 3 минути, проверете дали не е категоризирано като нежелано писмо.",
"To continue to stay up to date, subscribe to {{publication}} below.": "За да останете информирани, запишете се за {{publication}} по-долу.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Тествайте безплатно за {{amount}} дни, след това {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Отключете достъпа до всички бюлетини, като станете платен абонат.",
"Unsubscribe from all emails": "Прекрати изпращането на всякакви писма",
"Unsubscribed": "Неабониран",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Влязохте успешно.",
"You've successfully subscribed to": "Успешно се абонирахте за",
"Your account": "Твоят профил",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Вашият принос помага да се оформи това, което се публикува.",
"Your subscription will expire on {{expiryDate}}": "Абонаментът ви ще изтече на {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Абонаментът ви ще се поднови на {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Postavke računa",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Nakon isteka besplatnog probnog perioda, bit će ti naplaćena redovna cijena za plan koji si odabrao. Možeš otkazati članarinu prije toga.",
"Already a member?": "Već si član?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Došlo je do neočekivane greška. Pokušaj ponovo ili <a>kontaktiraj podršku</a> ako se greška ponovi.",
"Back": "Nazad",
"Back to Log in": "Nazad na prijavu",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Provjeri spam folder i posebne pod-foldere",
"Check with your mail provider": "Provjeri s Email providerom",
"Check your inbox to verify email update": "",
"Choose": "Odaberi",
"Choose a different plan": "Odaberi drugi plan",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kontaktiraj podršku",
"Continue": "Nastavi",
"Continue subscription": "Produži pretplatu",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Nije se moguće prijaviti. Link za prijavu je istekao.",
"Could not update email! Invalid link.": "Nije moguće promijeniti Email! Pogrešan link.",
"Create a new contact": "Dodaj novi kontakt",
@ -52,6 +56,7 @@
"Edit": "Uredi",
"Email": "Email",
"Email newsletter": "Email newsletter",
"Email newsletter settings updated": "",
"Email preferences": "Postavke Email-a",
"Emails": "Email adrese",
"Emails disabled": "Onemogućene Email adrese",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Greška",
"Expires {{expiryDate}}": "Ističe {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Zauvijek",
"Free Trial Ends {{trialEnd}}": "Besplatni probni period Ističe {{trialEnd}}",
"Get help": "Zatraži pomoć",
@ -91,6 +108,8 @@
"Name": "Ime",
"Need more help? Contact support": "Treba ti dodatna pomoć? Kontaktiraj podršku",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Newletteri na vašem računu se mogu onemogućiti iz dva razloga: Prethodni Email označena je kao spam ili pokušaj slanja Email poruke rezultirao je greškom (došlo je do odbacivanja nakon više neuspjelih pokušaja).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Ne primaš Email poruke?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Pošalji povratne informacije",
"Subscribe": "Kreiraj račun",
"Subscribed": "Pretplata uspješna",
"Subscription plan updated successfully": "",
"Success": "Uspjeh",
"Success! Check your email for magic link to sign-in.": "Uspjeh! Provjeri svoju Email adresu za link za prijavu.",
"Success! Your account is fully activated, you now have access to all content.": "Uspjeh! Tvoj je račun aktiviran, sada imaš pristup svim sadržajima.",
@ -138,12 +158,22 @@
"That didn't go to plan": "To nije pošlo prema planu",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Email adresa koju smo spasili za tebe je {{memberEmail}} — ako to nije tačno, možeš je promijeniti u <button>postavkama računa</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Došlo je do problema prilikom slanja tvojih povratnih informacija. Molimo pokušaj ponovo malo kasnije.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Ova je stranica samo na poziv, kontaktiraj vlasnika za pristup.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Za nastavak procesa registracije, klikni na potvrdni link u svom inboxu. Ako ne stigne u roku od 3 minute, provjeri spam folder!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Isprobaj besplatno {{amount}} dana, a zatim plati {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Otključaj pristup svim newsletterima tako što ćete postati plaćeni član.",
"Unsubscribe from all emails": "Odjava sa svih Email poruka",
"Unsubscribed": "Odjavljeno",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Uspješna prijava.",
"You've successfully subscribed to": "Uspješna pretplata na",
"Your account": "Tvoj račun",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Tvoj feedback pomaže pri odabiru tema koje se objavljuju.",
"Your subscription will expire on {{expiryDate}}": "Tvoja pretplata istieče {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Tvoja pretplata će se obnoviti {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Configuració del compte",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Després que finalitzi el període de prova gratuït, se't cobrarà el preu regular del nivell que hagis triat. Sempre pots cancel·lar abans d'això.",
"Already a member?": "Ja ets membre?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Un error inesperat ha passat. Si us plau, torneu a provar o <a>contacti amb suport tècnic</a> si l'error persisteix.",
"Back": "Tornar enrere",
"Back to Log in": "Tornar al inici de sessió",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Comproveu les carpetes de correu brossa i promocions",
"Check with your mail provider": "Consulteu amb el vostre proveïdor de correu",
"Check your inbox to verify email update": "",
"Choose": "Tria",
"Choose a different plan": "Seleccioneu un pla diferent",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Contactar amb suport tècnic",
"Continue": "Continuar",
"Continue subscription": "Continuar subscripció",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "No s'ha pogut iniciar sessió. L'enllaç d'inici de sessió ha expirat.",
"Could not update email! Invalid link.": "No s'ha pogut actualitzar el correu electrònic! Enllaç no vàlid.",
"Create a new contact": "Crear un nou contacte",
@ -52,6 +56,7 @@
"Edit": "Editar",
"Email": "Correu electrònic",
"Email newsletter": "Butlletí informatiu per correu electrònic",
"Email newsletter settings updated": "",
"Email preferences": "Preferència del correu electrònic",
"Emails": "Correus electrònics",
"Emails disabled": "Correus electrònics desactivats",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Error",
"Expires {{expiryDate}}": "Expira el {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "per sempre",
"Free Trial Ends {{trialEnd}}": "Prova gratuita - Finalitza el {{trialEnd}}",
"Get help": "Demanar ajuda",
@ -91,6 +108,8 @@
"Name": "Nom",
"Need more help? Contact support": "Necessites més ajuda? Contacte de suport",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Els butlletins de notícies es poden desactivar al vostre compte per dos motius: un correu electrònic anterior s'ha marcat com a correu brossa o si s'ha intentat enviar un correu electrònic ha provocat un error permanent (rebot).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "No reps els correus electrònics?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Enviar comentaris",
"Subscribe": "Subscriu-te",
"Subscribed": "Subscrit",
"Subscription plan updated successfully": "",
"Success": "Amb èxit",
"Success! Check your email for magic link to sign-in.": "Amb èxit! Comproveu el vostre correu electrònic per trobar l'enllaç màgic per iniciar la sessió.",
"Success! Your account is fully activated, you now have access to all content.": "Amb èxit! El vostre compte està totalment activat, ara teniu accés a tot el contingut.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Això no ha anat com estava previst",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "'adreça electrònica que tenim per a vostè és {{memberEmail}}; si no és correcta, podeu actualitzar-la a l'<button>àrea de configuració del vostre compte</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Hi ha hagut un problema en enviar els vostres comentaris. Torneu-ho a provar una mica més tard.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Aquest llog és només per invitació, contacta amb el propietari per obtenir accés.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Per completar el registre, fes clic sobre l'enllaç de confirmació al teu correu electrònic. Si no t'arria en 3 minuts, revisa la teva carpeta de correu brossa!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Prova gratis durant {{amount}} dies i després {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Desbloqueja l'accés a tots els butlletins de notícies fent-te un subscriptor de pagament.",
"Unsubscribe from all emails": "Cancel·la les subscripcions a tots els correus electrònics",
"Unsubscribed": "S'ha cancel·lat la subscripció",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Heu iniciat la sessió correctament.",
"You've successfully subscribed to": "Us heu subscrit correctament a",
"Your account": "El teu copte",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "La teva opinió ajuda a definir el que es publica.",
"Your subscription will expire on {{expiryDate}}": "La vostra subscripció caducarà el {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "La vostra subscripció es renovarà el {{renewalDate}}",

View file

@ -4,6 +4,7 @@
"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",
"Account details updated successfully": "",
"Account settings": "A label in Portal for your account settings",
"Add comment": "Button text to post a comment",
"Add context to your comment, share your name and expertise to foster a healthy discussion.": "Invitation to include additional info when commenting",
@ -11,6 +12,7 @@
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Confirmation message explaining how free trials work during signup",
"All the best!": "A light-hearted ending to an email",
"Already a member?": "A link displayed on signup screen, inviting people to log in if they have already signed up previously",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Notification if an unexpected error occurs.",
"Anonymous": "Comment placed by a member without a name",
"Authors": "",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "A section title in email receiving FAQ",
"Check with your mail provider": "A section title in email receiving FAQ",
"Check your inbox to verify email update": "",
"Choose": "A button to select a plan",
"Choose a different plan": "A button for members to switch between plans",
"Choose a plan": "",
@ -51,6 +54,7 @@
"Contact support": "Button to send an email to support",
"Continue": "Continue button",
"Continue subscription": "Button to continue a (cancelled) paid subscription",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Message when a login link has expired",
"Could not update email! Invalid link.": "Message when an email update link is invalid",
"Create a new contact": "A section title in email receiving FAQ",
@ -65,6 +69,7 @@
"Edit this comment": "Context menu action to edit a comment",
"Email": "A label for email address input",
"Email newsletter": "Title for the email newsletter settings",
"Email newsletter settings updated": "",
"Email preferences": "A label for email settings",
"Email sent": "Button text after being clicked, when an email has been sent to confirm a new subscription. Should be short.",
"Emails": "A label for a list of emails",
@ -75,6 +80,18 @@
"Error": "Status indicator for a notification",
"Expertise": "Input label when editing your expertise in the comments app",
"Expires {{expiryDate}}": "Label for a subscription which expires",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"For your security, the link will expire in 24 hours time.": "Descriptive text in emails about authentication links",
"Forever": "Label for a discounted price which has no expiry date",
"Founder @ Acme Inc": "Placeholder value for the input box when editing your expertise",
@ -120,6 +137,8 @@
"Neurosurgeon": "Example of an expertise of a person used in comments when editing your expertise",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "A paragraph in the email suppression FAQ",
"No matches found": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "A link in portal to take members to an FAQ area about what to do if you're not receiving emails",
"Now check your email!": "A confirmation message after logging in or signing up",
"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.": "A paragraph in the email suppression FAQ",
@ -186,6 +205,7 @@
"Submit feedback": "A button for submitting member feedback",
"Subscribe": "Title of a section for subscribing to a newsletter",
"Subscribed": "Status of a newsletter which a member has subscribed to",
"Subscription plan updated successfully": "",
"Success": "Status indicator for a notification",
"Success! Check your email for magic link to sign-in.": "Notification text when the user has been sent a magic link to sign-in",
"Success! Your account is fully activated, you now have access to all content.": "Notification text when a user has activated their email and can access content",
@ -204,7 +224,10 @@
"That didn't go to plan": "An error message indicating something went wrong",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Message confirming the user's email is correct, with a button linking to the account settings page",
"There was a problem submitting your feedback. Please try again a little later.": "An error message for when submitting feedback has failed",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This comment has been hidden.": "Text for a comment thas was hidden",
"This comment has been removed.": "Text for a comment thas was removed",
"This email address will not be used.": "This is in the footer of signup verification emails, and comes right after 'If you did not make this request, you can simply delete this message.'",
@ -212,7 +235,14 @@
"This site is not accepting payments at the moment.": "An error message shown when a tips or donations link is opened but the site has donations disabled",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "A confirmation message displayed during the signup process, indicating that the person signing up needs to go and check their email - and reminding them to check their spam folder, too",
"To continue to stay up to date, subscribe to {{publication}} below.": "A message shown in the success modal after a non-member has made a tip or donation",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "A label for an offer with a free trial",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "A message to encourage members to upgrade to a paid subscription",
"Unsubscribe from all emails": "A button on the unsubscribe page, offering a shortcut to unsubscribe from every newsletter at the same time",
"Unsubscribed": "Status of a newsletter which a user has not subscribed to",
@ -248,6 +278,7 @@
"You've successfully subscribed to": "A notification displayed when the user subscribed",
"Your account": "A label indicating member account details",
"Your email address": "Placeholder text in an input field",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Descriptive text displayed on the member feedback UI, telling people how their feedback is used",
"Your request will be sent to the owner of this site.": "Descriptive text displayed in the report comment modal",
"Your subscription will expire on {{expiryDate}}": "A message indicating when the member's subscription will expire",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+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 details updated successfully": "",
"Account settings": "Nastavení účtu",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Po skončení zkušební doby vám bude účtována běžná cena pro vybranou úroveň. Vždy můžete předtím zrušit odběr.",
"Already a member?": "Již jste členem?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Došlo k neočekávané chybě. Zkuste to prosím znovu nebo <a>kontaktujte podporu</a>, pokud chyba přetrvává.",
"Back": "Zpět",
"Back to Log in": "Zpět na přihlášení",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Zkontrolujte složky spam a propagace",
"Check with your mail provider": "Zkontrolujte u svého poskytovatele e-mailu",
"Check your inbox to verify email update": "",
"Choose": "Vybrat",
"Choose a different plan": "Vybrat jiný plán",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kontaktovat podporu",
"Continue": "Pokračovat",
"Continue subscription": "Pokračovat v odběru",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Nelze se přihlásit. Přihlašovací odkaz vypršel.",
"Could not update email! Invalid link.": "Nelze aktualizovat e-mail! Neplatný odkaz.",
"Create a new contact": "Vytvořit nový kontakt",
@ -52,6 +56,7 @@
"Edit": "Upravit",
"Email": "E-mail",
"Email newsletter": "E-mailový newsletter",
"Email newsletter settings updated": "",
"Email preferences": "Předvolby e-mailu",
"Emails": "E-maily",
"Emails disabled": "E-maily vypnuty",
@ -60,6 +65,18 @@
"Enter your name": "Zadejte své jméno",
"Error": "Chyba",
"Expires {{expiryDate}}": "Vyprší {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Navždy",
"Free Trial Ends {{trialEnd}}": "Zkušební verze zdarma Končí {{trialEnd}}",
"Get help": "Získat pomoc",
@ -91,6 +108,8 @@
"Name": "Jméno",
"Need more help? Contact support": "Potřebujete další pomoc? Kontaktujte podporu",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Newslettery mohou být na vašem účtu deaktivovány ze dvou důvodů: Předchozí e-mail byl označen jako spam, nebo pokus o odeslání e-mailu skončil trvalým selháním (odrazem).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Nepřicházejí vám e-maily?",
"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.": "Po opětovném přihlášení, pokud stále nevidíte e-maily ve své schránce, zkontrolujte složku spam. Někteří poskytovatelé e-mailových schránek si uchovávají záznam o předchozích stížnostech na spam a budou nadále označovat e-maily. Pokud k tomu dojde, označte nejnovější newsletter jako 'Není spam', aby se přesunul zpět do vaší hlavní schránky.",
@ -126,6 +145,7 @@
"Submit feedback": "Odeslat zpětnou vazbu",
"Subscribe": "Odebírat",
"Subscribed": "odebíráte",
"Subscription plan updated successfully": "",
"Success": "Úspěch",
"Success! Check your email for magic link to sign-in.": "Úspěch! Zkontrolujte svůj e-mail pro magický odkaz k přihlášení.",
"Success! Your account is fully activated, you now have access to all content.": "Úspěch! Váš účet je plně aktivován, nyní máte přístup k veškerému obsahu.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Něco se nepovedlo",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "E-mailová adresa, kterou pro vás máme, je {{memberEmail}} — pokud to není správně, můžete ji aktualizovat v <button>nastavení vašeho účtu</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Při odesílání vaší zpětné vazby došlo k problému. Zkuste to prosím znovu o něco později.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Při zpracování vaší platby došlo k chybě. Zkuste to prosím znovu.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Tento web je pouze pro pozvané, kontaktujte provozovatele pro přístup.",
"This site is not accepting payments at the moment.": "Tento web momentálně nepřijímá platby.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Pro dokončení registrace klikněte na potvrzovací odkaz ve vaší e-mailové schránce. Pokud nepřijde do 3 minut, zkontrolujte prosím složku nevyžádaných zpráv (spam)!",
"To continue to stay up to date, subscribe to {{publication}} below.": "Chcete-li zůstat informováni, přihlaste se k odběru {{publication}} níže.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Vyzkoušejte zdarma na {{amount}} dní, poté {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Odemkněte přístup ke všem newsletterům tím, že se stanete placeným odběratelem.",
"Unsubscribe from all emails": "Odhlásit se od všech e-mailů",
"Unsubscribed": "Odhlášeno",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Úspěšně jste se přihlásili.",
"You've successfully subscribed to": "Úspěšně jste se přihlásili k odběru",
"Your account": "Váš účet",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Vaše připomínky pomáhají ladit a tvořit obsah webu.",
"Your subscription will expire on {{expiryDate}}": "Vaše předplatné vyprší {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Vaše předplatné se obnoví {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Kontoindstillinger",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Når din gratis prøveperiode udløber, vil du blive opkrævet den normale pris for det abonnement du har valgt. Du kan selvfølgelig altid annullere dit abonnement inden.",
"Already a member?": "Er du allerede medlem?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Der opstod en uventet fejl. Prøv venligst igen eller <a>kontakt support</a> hvis fejlen fortsætter.",
"Back": "Tilbage",
"Back to Log in": "Tilbage til log ind",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Tjek spam og kampagner mapper",
"Check with your mail provider": "Tjek med din e-mailudbyder",
"Check your inbox to verify email update": "",
"Choose": "Vælg",
"Choose a different plan": "Vælg et andet abonnement",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kontakt support",
"Continue": "Fortsæt",
"Continue subscription": "Fortsæt tilmelding",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Kunne ikke log ind. Log ind link udløbet.",
"Could not update email! Invalid link.": "Kunne ikke opdatere e-mail! Ugyldigt link.",
"Create a new contact": "Opret ny kontakt",
@ -52,6 +56,7 @@
"Edit": "Rediger",
"Email": "E-mail",
"Email newsletter": "E-mail nyhedsbrev",
"Email newsletter settings updated": "",
"Email preferences": "E-mail præferencer",
"Emails": "E-mails",
"Emails disabled": "E-mails deaktiveret",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Fejl",
"Expires {{expiryDate}}": "Udløber {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "For evigt",
"Free Trial Ends {{trialEnd}}": "Gratis prøveperiode - Udløber {{trialEnd}}",
"Get help": "Få hjælp",
@ -91,6 +108,8 @@
"Name": "Navn",
"Need more help? Contact support": "Brug for hjælp? Kontakt support",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Nyhedsbreve kan deaktiveres på din konto af to årsager: En tidligere e-mail blev markeret som spam, eller forsøg på at sende en e-mail resulterede i en permanent fejl (bounce).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Modtager du ikke e-mails?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Send feedback",
"Subscribe": "Tilmeld",
"Subscribed": "Tilmeldt",
"Subscription plan updated successfully": "",
"Success": "Succes",
"Success! Check your email for magic link to sign-in.": "Sådan! Tjek din indbakke for et magisk link til at logge ind.",
"Success! Your account is fully activated, you now have access to all content.": "Sådan! Din konto er fuldt aktiveret, du har nu adgang til alt indhold.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Det gik ikke helt efter planen",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Den e-mailadresse, vi har på dig, er {{memberEmail}} hvis det ikke er korrekt, kan du opdatere den i dit <button>kontoindstillingsområde</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Der opstod et problem med at sende din feedback. Prøv venligst igen lidt senere.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Denne sider kræver at du skal være inviteret. Kontakt ejeres for at få adgang.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "For at gennemføre oprettelsen af din konto, skal du klikke på bekræftelseslinket i din e-mail indbakke. Hvis det ikke kommer indenfor 3 minutter, så tjek venligst din spam mappe!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Prøv gratis i {{amount}} dage, derefter {{original Price}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Lås op for adgang til alle nyhedsbreve ved at blive en betalingsabonnent.",
"Unsubscribe from all emails": "Afmeld alle e-mails",
"Unsubscribed": "Afmeldt",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Du er nu logget ind.",
"You've successfully subscribed to": "Du er nu tilmeldt til",
"Your account": "Din konto",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Dit input hjælper med at forme det der bliver publiceret.",
"Your subscription will expire on {{expiryDate}}": "Dit abonnement udløber {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Dit abonnement fornyes {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 Ihre E-Mail-Adresse gesendet. Falls die E-Mail nicht innerhalb von 3 Minuten ankommt, überprüfen Sie bitte den Spam-Ordner.",
"Account": "Konto",
"Account details updated successfully": "",
"Account settings": "Konto-Einstellungen",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Wenn das kostenlose Testabo endet, bezahlen Sie den regulären Preis für den gewählten Tarif. Sie können Ihr Abonnement jederzeit kündigen.",
"Already a member?": "Bereits Mitglied?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Ein unerwarteter Fehler ist aufgetreten. Bitte versuchen Sie es erneut oder wenden Sie sich an unseren <a>Support</a>, falls der Fehler weiter besteht.",
"Back": "Zurück",
"Back to Log in": "Zurück zur Anmeldung",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Spam- und Werbeordner prüfen",
"Check with your mail provider": "Erkundigen Sie sich bei Ihrem E-Mail-Anbieter",
"Check your inbox to verify email update": "",
"Choose": "Auswählen",
"Choose a different plan": "Wählen Sie einen anderen Tarif",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Support kontaktieren",
"Continue": "Weiter",
"Continue subscription": "Abonnement fortführen",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Anmeldung nicht möglich. Der Login-Link ist abgelaufen.",
"Could not update email! Invalid link.": "E-Mail-Aktualisierung fehlgeschlagen. Link nicht gültig.",
"Create a new contact": "Neuen Kontakt anlegen",
@ -52,6 +56,7 @@
"Edit": "Bearbeiten",
"Email": "E-Mail",
"Email newsletter": "E-Mail-Newsletter",
"Email newsletter settings updated": "",
"Email preferences": "E-Mail-Einstellungen",
"Emails": "E-Mails",
"Emails disabled": "E-Mails deaktiviert",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Fehler",
"Expires {{expiryDate}}": "Läuft am {{expiryDate}} ab",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Für immer",
"Free Trial Ends {{trialEnd}}": "Die kostenlose Testphase endet am {{trialEnd}}",
"Get help": "Hilfe erhalten",
@ -91,6 +108,8 @@
"Name": "Name",
"Need more help? Contact support": "Sie benötigen weitere Hilfe? Kontaktieren Sie den Support.",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Newsletter können aus zwei Gründen in Ihrem Konto deaktiviert werden: Eine frühere E-Mail wurde als Spam markiert oder der Versuch, eine E-Mail zu senden, führte zu einem dauerhaften Fehler (Bounce).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Kein E-Mail erhalten?",
"Now check your email!": "Überprüfen Sie bitte Ihren 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 Sie nach Ihrer Registrierung keine E-Mail von uns im Posteingang haben, überprüfen Sie Ihren Spam-Ordner. Einige E-Mail-Anbieter speichern frühere Spam-Beschwerden und kennzeichnen E-Mails weiterhin. Für diesen Fall markieren Sie den neusten Newsletter als \"Kein Spam\", um ihn in Ihren Posteingang zu verschieben.",
@ -126,6 +145,7 @@
"Submit feedback": "Feedback senden",
"Subscribe": "Abonnieren",
"Subscribed": "Abonniert",
"Subscription plan updated successfully": "",
"Success": "Erfolg",
"Success! Check your email for magic link to sign-in.": "Super! Bitte sehen Sie in Ihrem Posteingang nach und klicken Sie auf den Link im Mail, das wir Ihnen geschickt haben, um sich anzumelden.",
"Success! Your account is fully activated, you now have access to all content.": "Geschafft! Ihr Konto ist nun vollständig eingerichtet und Ihr Zugang zu allen Inhalten freigeschaltet.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Entschuldigung, da ist etwas schief gelaufen.",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Die E-Mail-Adresse, die wir von dir haben, lautet {{memberEmail}} - wenn Sie diese ändern möchten, können Sie das in den <button>Kontoeinstellungen</button> tun.",
"There was a problem submitting your feedback. Please try again a little later.": "Bei der Übermittlung Ihres Feedbacks ist ein Problem aufgetreten. Bitte versuchen Sie es später nochmal.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Der Zugang zu diesem Inhalt ist eingeschränkt. Bitte kontaktieren Sie uns, wenn Sie Zugang wünschen.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Um Ihre Registrierung abzuschliessen, klicken Sie auf den Bestätigungslink in dem Email, das wir Ihnen gesendet haben. Falls Sie nach drei Minuten noch keine E-Mail erhalten haben, überprüfen Sie bitte Ihren Spam-Ordner.",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Probieren Sie uns für {{amount}} Tage kostenlos aus. Danach folgt ein Abo zum Preis von {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Schalten Sie mit einem Abo den Zugang zu allen Newslettern frei.",
"Unsubscribe from all emails": "Von allen E-Mails abmelden",
"Unsubscribed": "Abgemeldet",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Sie haben sich erfolgreich angemeldet.",
"You've successfully subscribed to": "",
"Your account": "Ihr Konto",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Ihr Beitrag kann unsere Berichterstattung beeinflussen und mitprägen.",
"Your subscription will expire on {{expiryDate}}": "Ihr Abo endet am {{expiryDate}}.",
"Your subscription will renew on {{renewalDate}}": "Ihr Abo wird am {{renewalDate}} erneuert.",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Konto-Einstellungen",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Wenn das kostenlose Testabo endet, bezahlst du den regulären Preis für den gewählten Tarif. Du kannst dein Abonnement jederzeit kündigen.",
"Already a member?": "Bereits Mitglied?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Ein unerwarteter Fehler ist aufgetreten. Bitte versuche es erneut oder wende dich an den <a>Support</a>, falls der Fehler weiter besteht.",
"Back": "Zurück",
"Back to Log in": "Zurück zur Anmeldung",
@ -28,6 +30,7 @@
"Change plan": "Tarif ändern",
"Check spam & promotions folders": "Überprüfe deine Spam- und Werbeordner",
"Check with your mail provider": "Erkundige dich bei deinem E-Mail-Anbieter",
"Check your inbox to verify email update": "",
"Choose": "Auswählen",
"Choose a different plan": "Wähle einen anderen Tarif",
"Choose a plan": "Tarif wählen",
@ -42,6 +45,7 @@
"Contact support": "Support kontaktieren",
"Continue": "Weiter",
"Continue subscription": "Abonnement fortführen",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Anmeldung nicht möglich. Der Login-Link ist abgelaufen.",
"Could not update email! Invalid link.": "E-Mail-Aktualisierung fehlgeschlagen. Link nicht gültig.",
"Create a new contact": "Neuen Kontakt anlegen",
@ -52,6 +56,7 @@
"Edit": "Bearbeiten",
"Email": "E-Mail",
"Email newsletter": "E-Mail-Newsletter",
"Email newsletter settings updated": "",
"Email preferences": "E-Mail-Einstellungen",
"Emails": "E-Mails",
"Emails disabled": "E-Mails deaktiviert",
@ -60,6 +65,18 @@
"Enter your name": "Gebe deinen Namen ein",
"Error": "Fehler",
"Expires {{expiryDate}}": "Läuft am {{expiryDate}} ab",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Für immer",
"Free Trial Ends {{trialEnd}}": "Kostenlose Testphase endet am {{trialEnd}}",
"Get help": "Hilfe erhalten",
@ -91,6 +108,8 @@
"Name": "Name",
"Need more help? Contact support": "Du benötigst weitere Hilfe? Kontaktiere den Support",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Newsletter können aus zwei Gründen in deinem Konto deaktiviert werden: Eine frühere E-Mail wurde als Spam markiert oder der Versuch, eine E-Mail zu senden, führte zu einem dauerhaften Fehler (Bounce).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Keine E-Mails erhalten?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Feedback senden",
"Subscribe": "Abonnieren",
"Subscribed": "Abonniert",
"Subscription plan updated successfully": "",
"Success": "Erfolg",
"Success! Check your email for magic link to sign-in.": "Super! Sieh in deinem Posteingang nach und klicke zum Einloggen auf den magischen Link.",
"Success! Your account is fully activated, you now have access to all content.": "Prima! Dein Konto ist nun vollständig und du hast jetzt Zugang zu allen Inhalten.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Das ist nicht nach Plan verlaufen",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Die E-Mail-Adresse, die wir von dir haben, lautet {{memberEmail}} - wenn das nicht korrekt ist, kannst du sie in deinen <button>Kontoeinstellungen</button> aktualisieren.",
"There was a problem submitting your feedback. Please try again a little later.": "Bei der Übermittlung deines Feedbacks ist ein Problem aufgetreten. Bitte versuche es etwas später noch einmal.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Bei der Verarbeitung deiner Zahlung gab es einen Fehler. Bitte versuche es noch einmal.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Für diese Seite benötigst du eine Einladung. Bitte kontaktiere den Inhaber.",
"This site is not accepting payments at the moment.": "Diese Website nimmt zur Zeit keine Zahlungen entgegen.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Um deine Registrierung abzuschließen, klicke auf den Bestätigungslink in deinem Posteingang. Falls die E-Mail nicht innerhalb von 3 Minuten ankommt, überprüfe bitte deinen Spam-Ordner!",
"To continue to stay up to date, subscribe to {{publication}} below.": "Abonniere unten {{publication}}, um auf dem Laufenden zu bleiben.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Kostenfreier Testzugang für {{amount}} Tage, danach {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Schalte den Zugang zu allen Newslettern frei, indem du zahlende/r Abonnent*in wirst.",
"Unsubscribe from all emails": "Von allen E-Mails abmelden",
"Unsubscribed": "Abmelden",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Du hast dich erfolgreich angemeldet.",
"You've successfully subscribed to": "Du hast dich erfolgreich angemeldet bei",
"Your account": "Dein Konto",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Dein Beitrag trägt dazu bei, was veröffentlicht wird.",
"Your subscription will expire on {{expiryDate}}": "Dein Abonnement wird am {{expiryDate}} ablaufen.",
"Your subscription will renew on {{renewalDate}}": "Dein Abonnement wird am {{renewalDate}} erneuert.",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Ρυθμίσεις λογαριασμού",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Μετά το τέλος της δωρεάν δοκιμής, θα χρεωθείτε την κανονική τιμή για το επίπεδο που έχετε επιλέξει. Μπορείτε πάντα να ακυρώσετε πριν από τότε.",
"Already a member?": "Ήδη μέλος;",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Παρουσιάστηκε ένα απρόβλεπτο σφάλμα. Δοκιμάστε ξανά ή <a>επικοινωνήστε με την υποστήριξη</a> εάν το σφάλμα παραμένει.",
"Back": "Πίσω",
"Back to Log in": "Επιστροφή στη σύνδεση",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Ελέγξτε τους φακέλους ανεπιθύμητης αλληλογραφίας και προσφορών",
"Check with your mail provider": "Ελέγξτε με τον παροχέα email σας",
"Check your inbox to verify email update": "",
"Choose": "Επιλέξτε",
"Choose a different plan": "Επιλέξτε ένα διαφορετικό πρόγραμμα",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Επικοινωνήστε με την υποστήριξη",
"Continue": "Συνέχεια",
"Continue subscription": "Συνέχεια συνδρομής",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Δεν ήταν δυνατή η σύνδεση. Ο σύνδεσμος σύνδεσης έχει λήξει.",
"Could not update email! Invalid link.": "Δεν ήταν δυνατή η ενημέρωση του email! Μη έγκυρος σύνδεσμος.",
"Create a new contact": "Δημιουργήστε νέα επαφή",
@ -52,6 +56,7 @@
"Edit": "Επεξεργασία",
"Email": "Email",
"Email newsletter": "Ενημερωτικό δελτίο email",
"Email newsletter settings updated": "",
"Email preferences": "Προτιμήσεις email",
"Emails": "Emails",
"Emails disabled": "Τα emails είναι απενεργοποιημένα",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Σφάλμα",
"Expires {{expiryDate}}": "Λήγει {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Για πάντα",
"Free Trial Ends {{trialEnd}}": "Δωρεάν Δοκιμή Λήγει {{trialEnd}}",
"Get help": "Λάβετε βοήθεια",
@ -91,6 +108,8 @@
"Name": "Όνομα",
"Need more help? Contact support": "Χρειάζεστε περισσότερη βοήθεια; Επικοινωνήστε με την υποστήριξη",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Τα ενημερωτικά δελτία μπορούν να απενεργοποιηθούν στον λογαριασμό σας για δύο λόγους: Ένα προηγούμενο email επισημάνθηκε ως ανεπιθύμητο ή η προσπάθεια αποστολής email είχε ως αποτέλεσμα μόνιμη αποτυχία (αναπήδηση).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Δεν λαμβάνετε emails;",
"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.": "Μόλις εγγραφείτε ξανά, αν εξακολουθείτε να μην βλέπετε emails στα εισερχόμενά σας, ελέγξτε τον φάκελο ανεπιθύμητης αλληλογραφίας. Ορισμένοι πάροχοι εισερχομένων διατηρούν αρχείο προηγούμενων αναφορών ανεπιθύμητης αλληλογραφίας και θα συνεχίσουν να επισημαίνουν emails. Αν συμβεί αυτό, επισημάνετε το τελευταίο ενημερωτικό δελτίο ως 'Μη ανεπιθύμητο' για να το μετακινήσετε ξανά στα κύρια εισερχόμενά σας.",
@ -126,6 +145,7 @@
"Submit feedback": "Υποβολή σχολίων",
"Subscribe": "Εγγραφή",
"Subscribed": "Εγγεγραμμένος",
"Subscription plan updated successfully": "",
"Success": "Επιτυχία",
"Success! Check your email for magic link to sign-in.": "Επιτυχία! Ελέγξτε το email σας για να ολοκληρώσετε την εγγραφή.",
"Success! Your account is fully activated, you now have access to all content.": "Επιτυχία! Ο λογαριασμός σας είναι πλήρως ενεργοποιημένος, έχετε πλέον πρόσβαση σε όλο το περιεχόμενο.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Αυτό δεν πήγε σύμφωνα με το σχέδιο",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Η διεύθυνση email που έχουμε για εσάς είναι {{memberEmail}} — αν δεν είναι σωστή, μπορείτε να την ενημερώσετε στην <button>περιοχή ρυθμίσεων λογαριασμού</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Παρουσιάστηκε πρόβλημα κατά την υποβολή των σχολίων σας. Δοκιμάστε ξανά αργότερα.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Αυτός ο ιστότοπος είναι μόνο με πρόσκληση, επικοινωνήστε με τον ιδιοκτήτη για πρόσβαση.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Για να ολοκληρώσετε την εγγραφή, κάντε κλικ στον σύνδεσμο επιβεβαίωσης στα εισερχόμενά σας. Αν δεν φτάσει εντός 3 λεπτών, ελέγξτε τον φάκελο ανεπιθύμητης αλληλογραφίας!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Δοκιμάστε δωρεάν για {{amount}} ημέρες, μετά {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Ξεκλειδώστε την πρόσβαση σε όλα τα ενημερωτικά δελτία, ενεργοποιόντας την premium συνδρομή.",
"Unsubscribe from all emails": "Διαγραφή από όλα τα emails",
"Unsubscribed": "Διαγραμμένος",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Έχετε συνδεθεί επιτυχώς.",
"You've successfully subscribed to": "Έχετε εγγραφεί επιτυχώς στο",
"Your account": "Ο λογαριασμός σας",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Η συνεισφορά σας βοηθά να διαμορφωθεί το τι δημοσιεύεται.",
"Your subscription will expire on {{expiryDate}}": "Η συνδρομή σας θα λήξει στις {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Η συνδρομή σας θα ανανεωθεί στις {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "",
"Already a member?": "",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "",
"Back": "",
"Back to Log in": "",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "",
"Check with your mail provider": "",
"Check your inbox to verify email update": "",
"Choose": "",
"Choose a different plan": "",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "",
"Continue": "",
"Continue subscription": "",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "",
"Could not update email! Invalid link.": "",
"Create a new contact": "",
@ -52,6 +56,7 @@
"Edit": "",
"Email": "",
"Email newsletter": "",
"Email newsletter settings updated": "",
"Email preferences": "",
"Emails": "",
"Emails disabled": "",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "",
"Expires {{expiryDate}}": "",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "",
"Free Trial Ends {{trialEnd}}": "",
"Get help": "",
@ -91,6 +108,8 @@
"Name": "",
"Need more help? Contact support": "",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "",
"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.": "",
@ -126,6 +145,7 @@
"Submit feedback": "",
"Subscribe": "",
"Subscribed": "",
"Subscription plan updated successfully": "",
"Success": "",
"Success! Check your email for magic link to sign-in.": "",
"Success! Your account is fully activated, you now have access to all content.": "",
@ -138,12 +158,22 @@
"That didn't go to plan": "",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "",
"Unsubscribe from all emails": "",
"Unsubscribed": "",
@ -170,6 +200,7 @@
"You've successfully signed in.": "",
"You've successfully subscribed to": "",
"Your account": "",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "",
"Your subscription will expire on {{expiryDate}}": "",
"Your subscription will renew on {{renewalDate}}": "",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Kontagordoj",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Post senpaga provo finiĝos, vi pagos la regulan prezon por la nivelo, kiun vi elektis. Vi ĉiam povas nuligi antaŭ tiam.",
"Already a member?": "Ĉu membro jam?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "",
"Back": "Reen",
"Back to Log in": "Reen al Ensaluto",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "",
"Check with your mail provider": "",
"Check your inbox to verify email update": "",
"Choose": "",
"Choose a different plan": "Elektu alian planon",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "",
"Continue": "Daŭrigu",
"Continue subscription": "",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "",
"Could not update email! Invalid link.": "",
"Create a new contact": "",
@ -52,6 +56,7 @@
"Edit": "",
"Email": "Retadreso",
"Email newsletter": "",
"Email newsletter settings updated": "",
"Email preferences": "Retpoŝtaj agordoj",
"Emails": "Retpoŝtoj",
"Emails disabled": "Retpoŝtoj malŝaltitaj",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "",
"Expires {{expiryDate}}": "",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "",
"Free Trial Ends {{trialEnd}}": "",
"Get help": "Ricevi helpon",
@ -91,6 +108,8 @@
"Name": "Nomo",
"Need more help? Contact support": "",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "",
"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.": "",
@ -126,6 +145,7 @@
"Submit feedback": "Sendu rimarkojn",
"Subscribe": "",
"Subscribed": "",
"Subscription plan updated successfully": "",
"Success": "",
"Success! Check your email for magic link to sign-in.": "",
"Success! Your account is fully activated, you now have access to all content.": "",
@ -138,12 +158,22 @@
"That didn't go to plan": "Tio ne iris laŭ la intenco",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Ĉi tiu retejo estas nur por invitiĝuloj, kontaktu la proprietulo por alireblo.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Por kompletigi aliĝon, premu la konfirman ligilon en via enirkesto. Se ĝi ne alvenas ene de 3 minutoj, kontrolu vian trudmesaĝdosieron!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "",
"Unsubscribe from all emails": "Malabonu de ĉiuj retpoŝtoj",
"Unsubscribed": "",
@ -170,6 +200,7 @@
"You've successfully signed in.": "",
"You've successfully subscribed to": "",
"Your account": "Via konto",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Via enigo helpas formi kio estas aperigita.",
"Your subscription will expire on {{expiryDate}}": "",
"Your subscription will renew on {{renewalDate}}": "",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Configuración de la cuenta",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Después de que finalice el período de prueba gratuito, se te cobrará el precio regular del nivel que hayas elegido. Siempre puedes cancelar antes de eso.",
"Already a member?": "¿Ya eres miembro?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Un error inesperado ha ocurrido. Por favor intenta de nuevo o <a>contacta a soporte técnico</a> si el error persiste.",
"Back": "Atrás",
"Back to Log in": "Volver al inicio de sesión",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Comprueba la carpeta de spam y promociones",
"Check with your mail provider": "Comprueba con tu proveedor de correo",
"Check your inbox to verify email update": "",
"Choose": "Elige",
"Choose a different plan": "Elige un plan diferente",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Contacta a soporte técnico",
"Continue": "Continuar",
"Continue subscription": "Continuar suscripción",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "No se pudo iniciar sesión. El enlace de inicio ha expirado.",
"Could not update email! Invalid link.": "¡No se pudo actualizar el correo electrónico! Enlace inválido.",
"Create a new contact": "Crea un nuevo contacto",
@ -52,6 +56,7 @@
"Edit": "Editar",
"Email": "Correo electrónico",
"Email newsletter": "Boletín informativo por correo electrónico",
"Email newsletter settings updated": "",
"Email preferences": "Preferencias",
"Emails": "Correos electrónicos",
"Emails disabled": "Correos electrónicos desactivados",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Error",
"Expires {{expiryDate}}": "Expira el {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "para siempre",
"Free Trial Ends {{trialEnd}}": "Prueba gratis - Termina el {{trialEnd}}",
"Get help": "Obtener ayuda",
@ -91,6 +108,8 @@
"Name": "Nombre",
"Need more help? Contact support": "¿Necesitas más ayuda? Contacta a soporte técnico.",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Los boletines se pueden deshabilitar en tu cuenta por dos razones: Un correo electrónico anterior se marcó como correo no deseado o el intento de enviar un correo electrónico resultó en una falla permanente (bounce).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "¿No recibes correos electrónicos?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Enviar comentarios",
"Subscribe": "Suscribir",
"Subscribed": "Suscrito",
"Subscription plan updated successfully": "",
"Success": "Éxito",
"Success! Check your email for magic link to sign-in.": "¡Éxito! Revisa tu correo electrónico para ver el enlace mágico para iniciar sesión.",
"Success! Your account is fully activated, you now have access to all content.": "¡Éxito! Tu cuenta está completamente activada, ahora tienes acceso a todo el contenido.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Eso no salió según lo planeado",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "La dirección de correo electrónico que tenemos para ti es {{memberEmail}} — si no es correcta, puedes actualizarla en tu <button>área de configuración de la cuenta</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Hubo un problema al enviar tus comentarios. Vuelve a intentarlo un poco más tarde.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Este sitio es solo por invitación, contacta al propietario para obtener acceso.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Para completar el registro, haz clic en el enlace de confirmación en tu correo electrónico. Si no llega en 3 minutos, ¡revisa tu carpeta de spam!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Prueba gratis por {{amount}} dias, luego {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Desbloquea el acceso a todos los boletines convirtiéndote en un suscriptor pago.",
"Unsubscribe from all emails": "Cancelar suscripción a todos los correos electrónicos",
"Unsubscribed": "Dado de baja",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Has iniciado sesión correctamente.",
"You've successfully subscribed to": "Te has suscrito correctamente a",
"Your account": "Tu cuenta",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Tu opinión ayuda a definir lo que se publica.",
"Your subscription will expire on {{expiryDate}}": "Tu suscripción caducará el {{expiryDate}} ",
"Your subscription will renew on {{renewalDate}}": "Tu suscripción se renovará el {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+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.": "Sisselogimislink on saadetud teie postkasti. Kui see ei saabu 3 minuti jooksul, kontrollige kindlasti oma rämpsposti kausta.",
"Account": "Konto",
"Account details updated successfully": "",
"Account settings": "Konto seaded",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Pärast tasuta prooviversiooni lõppu võetakse teilt tasu valitud taseme tavahinna eest. Saate alati enne seda tühistada.",
"Already a member?": "Juba liige?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Tekkis ootamatu viga. Palun proovige uuesti või <a>võtke ühendust toega</a>, kui viga püsib.",
"Back": "Tagasi",
"Back to Log in": "Tagasi sisselogimise juurde",
@ -28,6 +30,7 @@
"Change plan": "Muuda paketti",
"Check spam & promotions folders": "Kontrollige rämpsposti ja reklaamide kaustu",
"Check with your mail provider": "Kontrollige oma e-posti teenusepakkujaga",
"Check your inbox to verify email update": "",
"Choose": "Vali",
"Choose a different plan": "Vali teine pakett",
"Choose a plan": "Vali pakett",
@ -42,6 +45,7 @@
"Contact support": "Võta ühendust toega",
"Continue": "Jätka",
"Continue subscription": "Jätka tellimust",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Ei saanud sisse logida. Sisselogimislink on aegunud.",
"Could not update email! Invalid link.": "E-posti ei saanud uuendada! Vigane link.",
"Create a new contact": "Loo uus kontakt",
@ -52,6 +56,7 @@
"Edit": "Muuda",
"Email": "E-post",
"Email newsletter": "E-posti uudiskiri",
"Email newsletter settings updated": "",
"Email preferences": "E-posti eelistused",
"Emails": "E-kirjad",
"Emails disabled": "E-kirjad keelatud",
@ -60,6 +65,18 @@
"Enter your name": "Sisestage oma nimi",
"Error": "Viga",
"Expires {{expiryDate}}": "Aegub {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Igavesti",
"Free Trial Ends {{trialEnd}}": "Tasuta prooviversioon Lõpeb {{trialEnd}}",
"Get help": "Hangi abi",
@ -91,6 +108,8 @@
"Name": "Nimi",
"Need more help? Contact support": "Vajate rohkem abi? Võtke ühendust toega",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Uudiskirjad võidakse teie kontol keelata kahel põhjusel: eelmine e-kiri märgiti rämpspostiks või e-kirja saatmise katse põhjustas püsiva tõrke (tagasipõrke).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Ei saa e-kirju?",
"Now check your email!": "Nüüd kontrollige oma e-posti!",
"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.": "Kui olete uuesti tellinud ja te ikka ei näe e-kirju oma postkastis, kontrollige oma rämpsposti kausta. Mõned postkasti teenusepakkujad säilitavad varasemaid rämpspostikaebusi ja jätkavad e-kirjade märkimist. Kui see juhtub, märkige viimane uudiskiri 'Mitte rämpspost', et see liiguks tagasi teie põhipostkasti.",
@ -126,6 +145,7 @@
"Submit feedback": "Saada tagasiside",
"Subscribe": "Telli",
"Subscribed": "Tellitud",
"Subscription plan updated successfully": "",
"Success": "Õnnestus",
"Success! Check your email for magic link to sign-in.": "Õnnestus! Kontrollige oma e-posti, et leida maagiline sisselogimislink.",
"Success! Your account is fully activated, you now have access to all content.": "Õnnestus! Teie konto on täielikult aktiveeritud, teil on nüüd juurdepääs kogu sisule.",
@ -138,12 +158,22 @@
"That didn't go to plan": "See ei läinud plaanipäraselt",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Meie käsutuses olev e-posti aadress teie jaoks on {{memberEmail}} — kui see pole õige, saate seda muuta oma <button>konto seadete alas</button>",
"There was a problem submitting your feedback. Please try again a little later.": "Teie tagasiside esitamisel tekkis probleem. Palun proovige natuke hiljem uuesti.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "See sait on ainult kutsetega, juurdepääsu saamiseks võtke ühendust omanikuga.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Registreerimise lõpetamiseks klõpsake oma postkastis kinnituslingile. Kui see ei saabu 3 minuti jooksul, kontrollige oma rämpsposti kausta!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Proovige tasuta {{amount}} päeva, seejärel {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Avage juurdepääs kõigile uudiskirjadele, hakates tasuliseks tellijaks.",
"Unsubscribe from all emails": "Tühista kõikide e-kirjade tellimus",
"Unsubscribed": "Tellimus tühistatud",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Olete edukalt sisse loginud.",
"You've successfully subscribed to": "Olete edukalt tellinud",
"Your account": "Teie konto",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Teie sisend aitab kujundada seda, mida avaldatakse.",
"Your subscription will expire on {{expiryDate}}": "Teie tellimus aegub {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Teie tellimus uueneb {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "تنظیمات حساب کاربری",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "پس از این\u200cکه دوره رایکان شما پایان یابد، براساس بسته\u200cی انتخابی شما مبلغی از حساب شما برداشت می\u200cشود. شما همیشه می\u200cتوانید قبل از آن تاریخ، بسته\u200cی خود را تغییر و یا لغو کنید.",
"Already a member?": "عضو هستید؟",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "خطایی غیرمنتظره رخ داد. خواهشمند است که دوباره تلاش کنید و یا با <a>پشتیبانی</a> در صورتی که خطا ادامه\u200cدار بود تماس بگیرید.",
"Back": "بازگشت",
"Back to Log in": "بازگشت به برگه ورود",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "پوشه اسپم و یا تبلیغات خود را بررسی کنید",
"Check with your mail provider": "موضوع را با ارائه\u200cدهنده ایمیل خود بررسی کنید",
"Check your inbox to verify email update": "",
"Choose": "انتخاب",
"Choose a different plan": "بسته\u200cای دیگر انتخاب کنید",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "تماس با پشتیبانی",
"Continue": "ادامه دادن",
"Continue subscription": "ادامه اشتراک",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "امکان ورود وجود نداشت، پیوند ورود منقضی شده است.",
"Could not update email! Invalid link.": "امکان به\u200cروزرسانی ایمیل وجود نداشت! پیوند اشتباه بود.",
"Create a new contact": "مخاطبی تازه بسازید",
@ -52,6 +56,7 @@
"Edit": "ویرایش",
"Email": "ایمیل",
"Email newsletter": "ایمیل خبرنامه",
"Email newsletter settings updated": "",
"Email preferences": "تنظیمات ایمیل",
"Emails": "ایمیل\u200cها",
"Emails disabled": "ایمیل\u200cها غیرفعال هستند",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "خطا",
"Expires {{expiryDate}}": "در {{expiryDate}} منقضی می\u200cشود",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "برای همیشه",
"Free Trial Ends {{trialEnd}}": "دوره رایگان - بعد از {{trialEnd}} تمام می\u200cشود",
"Get help": "پشتیبانی بگیرید",
@ -91,6 +108,8 @@
"Name": "نام",
"Need more help? Contact support": "کمک بیشتری لازم دارید؟ با پشتیبانی تماس بگیرید",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "خبرنامه\u200cها ممکن است به خاطر دو دلیل برای شما غیرفعال شده باشند: ایمیلی که قبلاً برای شما ارسال شده به عنوان اسپم علامت\u200cگذاری شده باشد و یا این که با یک شکست دائمی (bounce) روبرو شده باشد.",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "ایمیلی دریافت نمی\u200cکنید؟",
"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گذاری کنید تا آن را به صندوق ورودی انتقال دهد.",
@ -126,6 +145,7 @@
"Submit feedback": "ثبت بازخورد",
"Subscribe": "دریافت اشتراک",
"Subscribed": "مشترک هستید",
"Subscription plan updated successfully": "",
"Success": "کار با موفقیت انجام شد",
"Success! Check your email for magic link to sign-in.": "انجام شد! ایمیل خود را برای لینک ورود بررسی کنید.",
"Success! Your account is fully activated, you now have access to all content.": "انجام شد! حساب کاربری شما به طور کامل فعال شد، شما حالا می\u200cتوانید به تمام محتواها دسترسی داشته باشید.",
@ -138,12 +158,22 @@
"That didn't go to plan": "کار به درستی پیش نرفت",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "آدرس ایمیلی که ما از شما داریم {{memberEmail}} است - اگر که این آدرس درست نیست می\u200cتوانید در <button>قسمت تنظیمات حساب کاربری</button> آن را به\u200cروز کنید.",
"There was a problem submitting your feedback. Please try again a little later.": "خطائی در زمان ثبت بازخورد شما اتفاق افتاد. خواهشمند است دوباره تلاش کنید.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "دسترسی به این وب\u200cسایت نیازمند دعوت\u200cنامه است، با مالک آن برای دریافت دسترسی تماس بگیرید.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "برای تکمیل ثبت نام، برروی پیوند تأیید در صندوق ورودی ایمیل خود کلیک کنید. در صورتی که به دست شما نرسید، پوشه اسپم خود را برررسی کنید!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "برای {{amount}} روز به صورت رایگان امتحان کنید، سپس با قیمت {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "با دریافت اشتراک پولی به شما دسترسی به تمامی خبرنامه\u200cها داده می\u200cشود.",
"Unsubscribe from all emails": "لغو اشتراک دریافت تمامی ایمیل\u200cها",
"Unsubscribed": "اشتراک لغو شد",
@ -170,6 +200,7 @@
"You've successfully signed in.": "شما با موفقیت وارد شدید.",
"You've successfully subscribed to": "شما با موفقیت مشترک این موارد شدید:",
"Your account": "حساب کاربری شما",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "تلاش شما به آنچه که منتشر می\u200cشود، شکل می\u200cدهد.",
"Your subscription will expire on {{expiryDate}}": "اشتراک شما در تاریخ {{expiryDate}} منقضی می\u200cشود",
"Your subscription will renew on {{renewalDate}}": "اشتراک شما در تاریخ {{renewalDate}} تمدید می\u200cشود",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Tilin asetukset",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Kun ilmainen kokeilusi loppuu, sinulta veloitetaan valitsemasi tilauksen kuukausimaksu. Voit aina peruuttaa tilauksesi ennen tätä.",
"Already a member?": "Oletko jo jäsen?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Odottamaton virhe syntyi, yritäthän uudestaan tai <a>contact support</a> jos ongelma jatkuu.",
"Back": "Takaisin",
"Back to Log in": "Takaisin kirjautumiseen",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Katso spam & promotions kansiot",
"Check with your mail provider": "Tarkista sähköpostitarjoajaltasi",
"Check your inbox to verify email update": "",
"Choose": "Valitse",
"Choose a different plan": "Valitse toinen tilaus",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Ota yhteyttä tukeen",
"Continue": "Jatka",
"Continue subscription": "Jatka tilaustasi",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Kirjautuminen epäonnistui. Kirjautumislinkki on vanhentunut.",
"Could not update email! Invalid link.": "Sähköpostia ei pystytty päivittämään! Linkki ei toimi.",
"Create a new contact": "Luo uusi kontakti",
@ -52,6 +56,7 @@
"Edit": "Muokkaa",
"Email": "Sähköposti",
"Email newsletter": "Uutiskirje sähköpostiin",
"Email newsletter settings updated": "",
"Email preferences": "Sähköpostiasetukset",
"Emails": "Sähköpostit",
"Emails disabled": "Sähköpostit pois käytöstä",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Virhe",
"Expires {{expiryDate}}": "Vanhenee {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Ikuisesti",
"Free Trial Ends {{trialEnd}}": "Ilmainen kokeilu Loppuu {{trialEnd}}",
"Get help": "Pyydä apua",
@ -91,6 +108,8 @@
"Name": "Nimi",
"Need more help? Contact support": "Tarvitsetko lisää apua? Ota yhteyttä tukeen",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Uutiskirjeet sähköpostiisi voivat peruuntua kahdesta syystä: edellinen sähköposti oli merkattu spammiksi, tai sähköpostin lähetyksestä tuli bounce.",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Etkö saa sähköposteja?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Anna palautetta",
"Subscribe": "Tilaa",
"Subscribed": "Tilaus onnistunut",
"Subscription plan updated successfully": "",
"Success": "Onnistunut",
"Success! Check your email for magic link to sign-in.": "Onnistui! Katso sähköpostisi kirjautumislinkkiä varten",
"Success! Your account is fully activated, you now have access to all content.": "Onnistui! Tilisi on aktivoitu ja sinulla on pääsy sisältöihin",
@ -138,12 +158,22 @@
"That didn't go to plan": "Tämä ei mennyt suunnitelmien mukaan",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "Meillä oli ongelma palautteesi lähetyksen kanssa. Kokeleithan myöhemmin uudestaan.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Tämä sivu on vain kutsutuille, ota yhteyttä omistajaan saadaksesi pääsyoikeuden.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Viimeistelläksesi rekisteröitymisen, klikkaa vahvistuslinkkiä sähköpostissasi. Jos sitä ei saavu 3 minuutin kuluessa, tarkista roskapostikansiosi!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Kokeile ilmaiseksi {{amount}} päivää, sen jälkeen hinta on {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Avaa pääsy kaikkiin uutiskirjeisiin maksullisella tilauksella.",
"Unsubscribe from all emails": "Peruuta kaikki sähköpostit",
"Unsubscribed": "Tilaus peruutettu",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Olet kirjautunut sisään onnistuneesti",
"You've successfully subscribed to": "",
"Your account": "Tilisi",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Antamasi palautteen avulla muokataan julkaistavaa sisältöä",
"Your subscription will expire on {{expiryDate}}": "Tilauksesi päättyy {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Tilauksesi uusiutuu {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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. Sil narrive pas dans les 3 minutes, vérifiez votre dossier d'indésirables.",
"Account": "Compte",
"Account details updated successfully": "",
"Account settings": "Paramètres de compte",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "À la fin de la période dessai gratuite, le prix normal de labonnement choisi sera facturé. Vous pourrez toujours l'annuler dici là.",
"Already a member?": "Déjà membre ?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Une erreur inattendue s'est produite. Veuillez réessayer ou <a>écrire à l'assistance</a> si l'erreur persiste.",
"Back": "Retour",
"Back to Log in": "Retour à Connexion",
@ -28,6 +30,7 @@
"Change plan": "Changez d'abonnement",
"Check spam & promotions folders": "Vérifiez les dossiers d'indésirables et de promotion",
"Check with your mail provider": "Vérifiez auprès de votre fournisseur d'email",
"Check your inbox to verify email update": "",
"Choose": "Choisir",
"Choose a different plan": "Choisir un autre abonnement",
"Choose a plan": "Choisir un abonnement",
@ -42,6 +45,7 @@
"Contact support": "Écrire à l'assistance",
"Continue": "Continuer",
"Continue subscription": "Poursuivre l'abonnement",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Impossible de se connecter. Le lien de connexion a expiré.",
"Could not update email! Invalid link.": "Impossible de mettre à jour l'email ! Le lien est invalide.",
"Create a new contact": "Créer un nouveau contact",
@ -52,6 +56,7 @@
"Edit": "Modifier",
"Email": "Email",
"Email newsletter": "Email de la newsletter",
"Email newsletter settings updated": "",
"Email preferences": "Préférences email",
"Emails": "Emails",
"Emails disabled": "Emails désactivés",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Erreur",
"Expires {{expiryDate}}": "Expire le {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "Échec de l'envoi de l'email avec le lien magique",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Permanent",
"Free Trial Ends {{trialEnd}}": "Essai gratuit - Se termine le {{trialEnd}}",
"Get help": "Obtenir de laide",
@ -91,6 +108,8 @@
"Name": "Nom",
"Need more help? Contact support": "Besoin d'aide? Écrivez à l'assistance",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Les newsletters peuvent être désactivées de votre compte pour deux raisons : un précédent email a été marqué indésirable ou une tentative d'envoi d'email a entrapiné en une erreur persistante (renvoi).",
"No member exists with this e-mail address.": "Aucun membre n'existe avec cette adresse email.",
"No member exists with this e-mail address. Please sign up first.": "Aucun membre n'existe avec cette adresse email. Veuillez vous inscrire d'abord.",
"Not receiving emails?": "Vous navez pas reçu demails ?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Envoyez votre avis",
"Subscribe": "S'abonner",
"Subscribed": "Abonné-e",
"Subscription plan updated successfully": "",
"Success": "Réussi",
"Success! Check your email for magic link to sign-in.": "C'est fait ! Vérifiez votre boîte de réception pour le lien de connexion.",
"Success! Your account is fully activated, you now have access to all content.": "Ça y est ! Votre compte est entièrement activé et vous avez désormais accès à tout le contenu.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Cela na pas fonctionné comme prévu",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "L'adresse email qui nous a été indiquée est {{memberEmail}} — Si celle-ci est incorrecte, vous pourrez la modifier dans <button>Paramètres de compte</button>",
"There was a problem submitting your feedback. Please try again a little later.": "Un problème est survenu lors de la soumission de votre commentaire. Veuillez réessayer un peu plus tard.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Ce site est réservé aux invités. Veuillez écrire au propriétaire pour en demander l'accès.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Pour confirmer votre inscription, veuillez cliquer le lien de confirmation dans l'email que vous allez recevoir. Sil ne vous parvient pas dans les 3 minutes, vérifiez votre dossier d'indésirables.",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "Trop de tentatives de connexion différentes, réessayez dans {{number}} jours",
"Too many different sign-in attempts, try again in {{number}} hours": "Trop de tentatives de connexion différentes, réessayez dans {{number}} heures",
"Too many different sign-in attempts, try again in {{number}} minutes": "Trop de tentatives de connexion différentes, réessayez dans {{number}} minutes",
"Try free for {{amount}} days, then {{originalPrice}}.": "Essayez gratuitement pendant {{amount}} jours, puis {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Débloquez l'accès à toutes les newsletters en souscrivant un abonnement payant.",
"Unsubscribe from all emails": "Se désabonner de tous les emails",
"Unsubscribed": "Désabonné-e",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Vous vous êtes connecté avec succès.",
"You've successfully subscribed to": "Vous vous êtes abonné à",
"Your account": "Votre compte",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Votre avis aide à améliorer ce qui est publié.",
"Your subscription will expire on {{expiryDate}}": "Votre abonnement expirera le {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Votre abonnement sera renouvelé le {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+44 1234 567890",
"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 details updated successfully": "",
"Account settings": "Roghainnean",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Bidh agad ri pàigheadh nuair a dhfhalbhachas an ùine air an tionndadh triail agad. Faodaidh tu ga sguir dheth ron a shin ge-tà.",
"Already a member?": "Eil thu nad bhall mar-thà?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Thachair mearachd. Feuch a-rithist, no <a>leig fios dhan sgioba-taice</a>.",
"Back": "Air ais",
"Back to Log in": "Thill gus clàradh a-steach",
@ -28,6 +30,7 @@
"Change plan": "Atharraich a' phlana",
"Check spam & promotions folders": "Thoir sùil air a phasgan spama / margaidheachd agad",
"Check with your mail provider": "Faighnich air solaraiche a phuist-d agad",
"Check your inbox to verify email update": "",
"Choose": "Tagh",
"Choose a different plan": "Tagh plana eile",
"Choose a plan": "Tagh plana",
@ -42,6 +45,7 @@
"Contact support": "Leig fios dhan sgioba-taice",
"Continue": "Lèan ort",
"Continue subscription": "Cùm am fo-sgrìobhadh a dol",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Chan urrainn dhut clàradh a-steach. Dhfhalbh an ùine air a cheangal a lean thu.",
"Could not update email! Invalid link.": "Cha do ghabh am post-d ùrachadh! Ceangal mì-dhligheach",
"Create a new contact": "Cruthaich neach-aithne ùr",
@ -52,6 +56,7 @@
"Edit": "Deasaich",
"Email": "Post-d",
"Email newsletter": "Cuairt-litir",
"Email newsletter settings updated": "",
"Email preferences": "Roghainnean puist-d",
"Emails": "Puist-d",
"Emails disabled": "Puist-d à comas",
@ -60,6 +65,18 @@
"Enter your name": "Cuir a-steach d' ainm",
"Error": "Mearachd",
"Expires {{expiryDate}}": "Falbhaidh an ùine air: {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Gu bràth",
"Free Trial Ends {{trialEnd}}": "Falbhaidh an ùine air an tionndadh triail an-asgadh: {{trialEnd}}",
"Get help": "Iarr cobhair",
@ -91,6 +108,8 @@
"Name": "Ainm",
"Need more help? Contact support": "Eil thu feumach air barrachd chobhair? Leig fios dhan sgioba-taice",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Dhfhaodadh gu bheil cuairt-litrichean à comas air sgàth s gun deach post-d roimhe a chomharradh mar spama, no air sgàth s nach do ghabh e a lìbhreachadh.",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Nach eil thu a faighinn puist-d?",
"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 dhfhaoidte 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.",
@ -126,6 +145,7 @@
"Submit feedback": "Fàg beachd air",
"Subscribe": "Fo-sgrìobh",
"Subscribed": "Air fho-sgrìobhadh",
"Subscription plan updated successfully": "",
"Success": "Dèanta",
"Success! Check your email for magic link to sign-in.": "Dèanta! Thoir sùil air a phost-d agad airson a cheangal clàraidh a-steach.",
"Success! Your account is fully activated, you now have access to all content.": "Dèanta! Chaidh an cunntas agad a chur an gnìomh agus tha cothrom-inntrigidh agad air a h-uile rud a-nis.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Cha deach sin mar bu chòir",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "S e {{memberEmaill}} am post-d a th againn dhut - faodaidh tu a cheartachadh anns na <button>roghainnean</button> agad.",
"There was a problem submitting your feedback. Please try again a little later.": "Chaidh rudeigin ceàrr. Feuch a-rithist an ceann greis",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Thachair mearachd fhad 's a bhathar a' làimhseachadh a' phàighidh agad. Feuch a-rithist an ceann greis.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Feumar cuireadh airson an làrach-lìn seo, leig fios dhan rianaire ma tha thu ag iarraidh cothrom-inntrigidh.",
"This site is not accepting payments at the moment.": "Chan eil an làrach seo a' gabhail ri phàighidhean an-dràsta.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Dèan briog air a cheangal dearbhaidh a chaidh a chur dhan phost-d agad gus crìoch a chur an an clàradh agad. Thoir sùil air a phasgan spama mura faigh thu taobh a-staigh 3 mionaidean e.",
"To continue to stay up to date, subscribe to {{publication}} below.": "Fo-sgrìobh gu h-ìosal gus cumail suas ris an fhoillseachadh, \"{{publication}}\".",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "An-asgaidh airson {{amount}}l, agus {{originalPrice}} an dèidh sin ",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Tig nad bhall phaighte gus cothrom fhaighinn air na cuairt-litrichean gu lèir.",
"Unsubscribe from all emails": "Na fo-sgrìobh ri puist-d tuilleadh",
"Unsubscribed": "Chan fhaigh thu puist-d tuilleadh",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Chlàraich thu a-steach gu soirbheachail.",
"You've successfully subscribed to": "Fo-sgrìobh thu gu soirbheachail gu",
"Your account": "An cunntas agad",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Bheir na beachdan agad buaidh air na foillseachaidhean ri teachd.",
"Your subscription will expire on {{expiryDate}}": "Falbhaidh an ùine air am fo-sgrìobhadh agad: {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Ath-nuadhaichidh am fo-sgrìobhadh agad: {{expiryDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Podešavanje vašeg računa",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Nakon isteka probnog perioda, izvršit će se naplata odabranog plana pretplate. Uvijek možete otkazati pretplatu prije toga.",
"Already a member?": "Već imate račun?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Desila se neočekivana greška. Pokušajte ponovo ili kontaktirajte <a>podršku</a> ako će se greška ponavljati.",
"Back": "Natrag",
"Back to Log in": "Natrag na prijavu",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Provjerite mape za spam i promociju",
"Check with your mail provider": "Provjerite s vašim pružateljem usluge e-pošte",
"Check your inbox to verify email update": "",
"Choose": "Odaberite",
"Choose a different plan": "Odaberite drugi plan",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kontaktirajte podršku",
"Continue": "Nastavite",
"Continue subscription": "Nastavite pretplatu",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Neuspio pokušaj prijave. Link za prijavu je istekao.",
"Could not update email! Invalid link.": "Neuspio pokušaj izmjene adrese e-pošte! Neispravan link.",
"Create a new contact": "Napravite novi kontakt:",
@ -52,6 +56,7 @@
"Edit": "Uredi",
"Email": "E-pošta",
"Email newsletter": "Newsletter e-poštom",
"Email newsletter settings updated": "",
"Email preferences": "Postavke e-pošte",
"Emails": "E-pošta",
"Emails disabled": "Isključena e-pošta",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Greška",
"Expires {{expiryDate}}": "Ističe {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Zauvijek",
"Free Trial Ends {{trialEnd}}": "Besplatan probni period - završava {{trialEnd}}",
"Get help": "Potražite pomoć",
@ -91,6 +108,8 @@
"Name": "Ime i prezime",
"Need more help? Contact support": "Kontaktirajte nas ako trebate dodatnu pomoć",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Slanje newslettera se može onemogućiti na vašem računu iz dva razloga: prethodna e-pošta je označena kao neželjena pošta (spam) ili je pokušaj slanja e-pošte rezultirao trajnim neuspjehom (odbijanje).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Ne dobivate e-poštu?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Pošalji povratne informacije",
"Subscribe": "Pretplati se",
"Subscribed": "Pretplaćen",
"Subscription plan updated successfully": "",
"Success": "Uspjeh",
"Success! Check your email for magic link to sign-in.": "Uspjeh! Provjerite vašu e-poštu i pronađite poruku s linkom za prijavu.",
"Success! Your account is fully activated, you now have access to all content.": "Uspjeh! Vaš račun je uspješno aktiviran i sada imate pristup svim sadržajima.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Nešto je pošlo po zlu",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Adresa e-pošte vašeg računa je {{memberEmail}} - ako to nije točno, možete ga ažurirati u <button>postavkama računa</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Došlo je do problema sa slanjem vaše poruke. Pokušajte ponovno malo kasnije.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Ove stranice su samo za članove, kontaktirajte vlasnika kako biste dobili pristup.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Kliknite na link za završetak registracije. Ako poruku niste dobili za 3 minute, provjerite spam folder!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Probajte besplatno na {{amount}} dana, zatim {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Otključajte pristup svim newsletterima plaćanjem pretplate.",
"Unsubscribe from all emails": "Otkažite primanje svih poruka e-poštom",
"Unsubscribed": "Otkazani ste",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Uspješno ste prijavljeni.",
"You've successfully subscribed to": "Uspješno ste pretplaćeni na",
"Your account": "Vaš korisnički račun",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Vaš doprinos pomaže u oblikovanju sadržaja kojeg objavljujemo.",
"Your subscription will expire on {{expiryDate}}": "Vaša pretplata istječe {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Vaša pretplata će se obnoviti {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Fiók beállítások",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Az ingyenes próbaidőszak lejárta után a kiválasztott csomag normál díját fogjuk felszámolni. A feliratkozás bármikor ingyenesen lemondható a próbaidőszak alatt.",
"Already a member?": "Már van fiókja?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Egy nem várt hiba történt! Kérjük próbálkozzon újra vagy <a>lépjen kapcsolatba velünk</a> ha a hiba továbbra is fennál.",
"Back": "Vissza",
"Back to Log in": "Vissza a bejelentkezéshez",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Kérjük ellenőrizze a spam és promóciók mappát",
"Check with your mail provider": "Lépjen kapcsolatba az email szolgáltatójával",
"Check your inbox to verify email update": "",
"Choose": "Kiválaszt",
"Choose a different plan": "Válasszon másik csomagot",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kapcsolat",
"Continue": "Folytatás",
"Continue subscription": "Feliratkozás folytatása",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "A bejelentkezési link lejárt, a regisztráció sikertelen.",
"Could not update email! Invalid link.": "Hibás link, az email cím változtatása sikertelen!",
"Create a new contact": "Új kapcsolat létrehozása",
@ -52,6 +56,7 @@
"Edit": "Szerkesztés",
"Email": "Email",
"Email newsletter": "Hírlevél",
"Email newsletter settings updated": "",
"Email preferences": "Email beállítások",
"Emails": "Email-ek",
"Emails disabled": "Email-ek kikapcsolva",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Hiba",
"Expires {{expiryDate}}": "Lejárat: ",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Örökké",
"Free Trial Ends {{trialEnd}}": "Ingyenes próbaidőszak — Vége ekkor: {{trialEnd}}",
"Get help": "Kérjen segítséget",
@ -91,6 +108,8 @@
"Name": "Név",
"Need more help? Contact support": "További segítségre van szüksége? Lépjen kapcsolatba velünk",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "A hírlevelek letilthatók a fiókjában két okból: egy előző e-mailt spamként jelöltek meg, vagy egy e-mail küldési kísérlet tartós hibához (visszapattanáshoz) vezetett.",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Nem érkeznek meg az email-ek?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Visszajelzés küldése",
"Subscribe": "Feliratkozás",
"Subscribed": "Feliratkozva",
"Subscription plan updated successfully": "",
"Success": "Siker",
"Success! Check your email for magic link to sign-in.": "Siker! Nézze meg az email-jét a bejelentkezéshez szükséges linkhez.",
"Success! Your account is fully activated, you now have access to all content.": "Siker! A fiókja teljesen aktiválva van, most már hozzáférése van az összes tartalomhoz.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Hiba történt",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Az Ön nálunk regisztrált e-mail címe: {{memberEmail}} — ha ez nem helyes, frissítheti a fiókbeállításoknál.",
"There was a problem submitting your feedback. Please try again a little later.": "Probléma volt a visszajelzés beküldésével. Kérjük, próbálja újra kicsit később.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "A website csak meghívóval látogatható. Meghívóért lépjen kapcsolatba az oldal tulajdonosával!",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "A regisztráció befejezéséhez kérjük kattintson az email-ben kapott linkre. Ha a link nem érkezne meg 3 percen belül kérjük ellenőrizze a spam mappát.",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Próbálja ki ingyen {{amount}} napig, utána {{originalPrice}}",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Előfizetéssel hozzáférhet minden hírlevélhez!",
"Unsubscribe from all emails": "Leiratkozás minden email-ről",
"Unsubscribed": "Sikeres leiratkozás",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Sikeres bejelentkezés.",
"You've successfully subscribed to": "Sikeres bejelentkezés ide: ",
"Your account": "Fiók",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "A visszajelzése segít abban, hogy mit publikáljunk",
"Your subscription will expire on {{expiryDate}}": "Az előfizetése lejár ekkor: {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Az előfizetése megújul ekkor: {{expiryDate}}",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+62 123-4567-8900",
"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 details updated successfully": "",
"Account settings": "Pengaturan akun",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Setelah percobaan gratis berakhir, Anda akan dikenai harga normal untuk tingkatan yang dipilih. Anda selalu dapat membatalkannya sebelum masa percobaan gratis berakhir.",
"Already a member?": "Sudah menjadi anggota?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Terjadi kesalahan tak terduga. Harap coba lagi atau <a>hubungi layanan dukungan</a> jika kesalahan masih berlanjut.",
"Back": "Kembali",
"Back to Log in": "Kembali ke Halaman Masuk",
@ -28,6 +30,7 @@
"Change plan": "Ubah paket",
"Check spam & promotions folders": "Periksa folder spam & promosi",
"Check with your mail provider": "Hubungi penyedia layanan email Anda",
"Check your inbox to verify email update": "",
"Choose": "Pilih",
"Choose a different plan": "Pilih paket yang berbeda",
"Choose a plan": "Pilih paket",
@ -42,6 +45,7 @@
"Contact support": "Hubungi layanan dukungan",
"Continue": "Lanjutkan",
"Continue subscription": "Lanjutkan berlangganan",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Tidak dapat masuk. Tautan masuk telah kedaluwarsa.",
"Could not update email! Invalid link.": "Tidak dapat memperbarui email! Tautan tidak valid.",
"Create a new contact": "Buat kontak baru",
@ -52,6 +56,7 @@
"Edit": "Edit",
"Email": "Email",
"Email newsletter": "Buletin email",
"Email newsletter settings updated": "",
"Email preferences": "Preferensi email.",
"Emails": "Email",
"Emails disabled": "Email dinonaktifkan",
@ -60,6 +65,18 @@
"Enter your name": "Masukkan nama Anda",
"Error": "Eror",
"Expires {{expiryDate}}": "Kedaluwarsa {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Selamanya",
"Free Trial Ends {{trialEnd}}": "Percobaan Gratis Berakhir {{trialEnd}}",
"Get help": "Dapatkan bantuan",
@ -91,6 +108,8 @@
"Name": "Nama",
"Need more help? Contact support": "Perlu bantuan lebih lanjut? Hubungi layanan dukungan",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Buletin dapat dinonaktifkan pada akun Anda dengan dua alasan: Email sebelumnya ditandai sebagai spam, atau percobaan pengiriman email menghasilkan kegagalan permanen (bounce).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Tidak menerima email?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Kirim masukan",
"Subscribe": "Berlangganan",
"Subscribed": "Telah berlangganan",
"Subscription plan updated successfully": "",
"Success": "Berhasil",
"Success! Check your email for magic link to sign-in.": "Berhasil! Periksa email Anda untuk mendapatkan tautan ajaib untuk masuk.",
"Success! Your account is fully activated, you now have access to all content.": "Berhasil! Akun Anda telah diaktifkan sepenuhnya, sekarang Anda memiliki akses ke semua konten.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Itu tidak berjalan sesuai rencana",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Alamat email Anda yang kami miliki adalah {{memberEmail}} — jika itu tidak benar, Anda dapat memperbarui di <button>area pengaturan akun</button> Anda.",
"There was a problem submitting your feedback. Please try again a little later.": "Terjadi masalah saat mengirimkan masukan Anda. Silakan coba sebentar lagi.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Terjadi kesalahan saat memproses pembayaran Anda. Silakan coba lagi.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Situs ini hanya untuk yang diundang, hubungi pemiliknya untuk mendapatkan akses.",
"This site is not accepting payments at the moment.": "Situs ini tidak menerima pembayaran saat ini.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Untuk menyelesaikan pendaftaran, klik tautan konfirmasi di kotak masuk Anda. Jika tidak diterima dalam waktu 3 menit, pastikan untuk memeriksa folder spam Anda!",
"To continue to stay up to date, subscribe to {{publication}} below.": "Untuk tetap mendapatkan informasi terkini, silakan langganan ke {{publication}} di bawah ini.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Coba gratis selama {{amount}} hari, kemudian {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Buka akses ke semua buletin dengan menjadi pelanggan berbayar.",
"Unsubscribe from all emails": "Berhenti berlangganan dari semua email",
"Unsubscribed": "Tidak berlangganan",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Anda telah berhasil masuk.",
"You've successfully subscribed to": "Anda telah berhasil berlangganan ke",
"Your account": "Akun Anda",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Masukan Anda membantu membentuk apa yang dipublikasikan.",
"Your subscription will expire on {{expiryDate}}": "Langganan Anda akan berakhir pada {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Langganan Anda akan diperpanjang pada {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Aðgangsstillingar",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Þegar prufutímabili lýkur muntu greiða venjulegt verð í samræmi við áskriftarleiðina sem þú valdir. Þú getur ávallt sagt upp áskriftinni áður en til þess kemur.",
"Already a member?": "Ertu nú þegar með áskrift?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Óvænt villa kom upp. Vinsamlegast reynið aftur eða <a>hafið samband</a> ef villan reynist þrálát.",
"Back": "Til baka",
"Back to Log in": "Aftur til innskráningar",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Athugið ruslpósta- eða kynningarefnismöppur",
"Check with your mail provider": "Hafið samband við þjónustuveitanda netfangsins",
"Check your inbox to verify email update": "",
"Choose": "Velja",
"Choose a different plan": "Velja aðra áskriftarleið",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Hafa samband við þjónustuver",
"Continue": "Áfram",
"Continue subscription": "Halda áfram í áskrift",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Innskráning mistókst. Hlekkurinn varð óvirkur.",
"Could not update email! Invalid link.": "Breyting á netfangi mistókst! Ógildur hlekkur.",
"Create a new contact": "Skrá nýjan tengilið",
@ -52,6 +56,7 @@
"Edit": "Breyta",
"Email": "Netfang",
"Email newsletter": "Fréttabréf",
"Email newsletter settings updated": "",
"Email preferences": "Stillingar netfangs",
"Emails": "Netföng",
"Emails disabled": "Netföng gerð óvirk",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Villa",
"Expires {{expiryDate}}": "Rennur út {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Að eilífu",
"Free Trial Ends {{trialEnd}}": "Ókeypis prufutímabil Lýkur {{trialEnd}}",
"Get help": "Fá aðstoð",
@ -91,6 +108,8 @@
"Name": "Nafn",
"Need more help? Contact support": "Þarftu meiri aðstoð? Hafðu samband við þjónustuverið",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Færðu ekki tölvupósta?",
"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ð.",
@ -126,6 +145,7 @@
"Submit feedback": "Gefa endurgjöf",
"Subscribe": "Áskrift",
"Subscribed": "Í áskrift",
"Subscription plan updated successfully": "",
"Success": "Þetta heppnaðist",
"Success! Check your email for magic link to sign-in.": "Þetta heppnaðist! Athugaðu tölvupósthólfið til að finna hlekk til innskráningar.",
"Success! Your account is fully activated, you now have access to all content.": "Þetta heppnaðist! Aðgangurinn þinn er virkur, þú hefur nú aðgang að öllu efni.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Þetta fór ekki samkvæmt áætlun",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Netfangið sem þú ert skráður fyrir er {{memberEmail}} — ef það er rangt geturðu breytt því í <button>aðgangsstillingum</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Villa kom upp við sendingu athugasemdar. Vinsamlegast reynið aftur örlítið síðar.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Aðgangur krefst boðsmiða, hafið samband við eiganda síðunnar til að fá aðgang.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Til að ljúka nýskráningu skaltu smella á staðfestingarhlekkinn sem var sendur á netfangið þitt. Ef hann er ekki kominn innan 3 mínútna skaltu athuga spam-möppuna.",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Prófaðu í {{amount}} daga án endurgjalds og síðan fyrir {{originalPrice}}",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Fáðu aðgang að öllum fréttabréfum með því að gerast áskrifandi.",
"Unsubscribe from all emails": "Segja upp öllum tölvupóstum",
"Unsubscribed": "Ekki í áskrift",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Þér tókst að skrá þig inn",
"You've successfully subscribed to": "",
"Your account": "Aðgangurinn þinn",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "",
"Your subscription will expire on {{expiryDate}}": "Áskrift þinni lýkur {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Áskrift þín verður endurnýjuð {{expiryDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Impostazioni account",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Al termine della prova gratuita, ti verrà addebitato il prezzo regolare del piano scelto. Puoi annullare in qualsiasi momento prima della scadenza.",
"Already a member?": "Sei già iscritto?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Si è verificato un errore imprevisto. <a>Contatta l'assistenza</a> se l'errore persiste.",
"Back": "Indietro",
"Back to Log in": "Torna alla pagina d'accesso",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Controlla nello spam",
"Check with your mail provider": "Contatta il tuo provider di posta elettronica",
"Check your inbox to verify email update": "",
"Choose": "Scegli",
"Choose a different plan": "Scegli un piano differente",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Contatta l'assistenza",
"Continue": "Continua",
"Continue subscription": "Riabbonati",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Accesso non effettuato. Il link è scaduto.",
"Could not update email! Invalid link.": "Email non aggiornata! Link non valido.",
"Create a new contact": "Crea un nuovo contatto",
@ -52,6 +56,7 @@
"Edit": "Modifica",
"Email": "Email",
"Email newsletter": "Newsletter",
"Email newsletter settings updated": "",
"Email preferences": "Preferenze email",
"Emails": "Email",
"Emails disabled": "Email disattivate",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Errore",
"Expires {{expiryDate}}": "Scade il {{offerEndDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Per sempre",
"Free Trial Ends {{trialEnd}}": "Prova gratuita finisce il {{trialEnd}}",
"Get help": "Chiedi aiuto",
@ -91,6 +108,8 @@
"Name": "Nome",
"Need more help? Contact support": "Hai ancora bisogno di aiuto? Contatta l'assistenza",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Le newsletter possono essere disabilitate nel tuo account per due ragioni: un'email precedente è stata segnalata come spam, o l'invio di un'email ha restituito un fallimento permanente (rimbalzo).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Non ricevi le email?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Invia feedback",
"Subscribe": "Abbonati",
"Subscribed": "Abbonato",
"Subscription plan updated successfully": "",
"Success": "Fatto",
"Success! Check your email for magic link to sign-in.": "Fatto! Controlla la tua email per il magico link d'accesso.",
"Success! Your account is fully activated, you now have access to all content.": "Fatto! Il tuo account è stato attivato, ora hai accesso a tutti i contenuti.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Questo non era previsto",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "L'indirizzo email registrato è {{memberEmail}} — se non è corretto, puoi modificarlo nelle tue <button>impostazioni dell'account</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "C'è stato un errore durante l'invio del tuo feedback. Si prega di riprovare più tardi.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Questo sito è accessibile solo su invito, contatta il proprietario per poter accedere.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Per completare l'iscrizione, clicca il link di conferma inviato alla tua email. Se non lo ricevi entro 3 minuti, controlla nello spam!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Prova gratis per {{amount}} giorni, poi {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Abbonati per sbloccare l'accesso a tutte le newsletter.",
"Unsubscribe from all emails": "Disiscriviti da tutte le email",
"Unsubscribed": "Disiscritto",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Accesso effettuato.",
"You've successfully subscribed to": "Iscrizione effettuata a",
"Your account": "Il tuo account",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Il tuo contributo aiuta a dare forma a ciò che viene pubblicato.",
"Your subscription will expire on {{expiryDate}}": "Il tuo abbonamento scadrà il {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Il tuo abbonamento verrà rinnovato il {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "アカウント設定",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "無料期間が終了すると、選択したプランの通常価格が請求されます。それまではいつでもキャンセルできます。",
"Already a member?": "すでに会員ですか?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "予期しないエラーが発生しました。もう一度試すか、エラーが解決しない場合は<a>サポートにお問い合わせ</a>ください。",
"Back": "戻る",
"Back to Log in": "ログインに戻る",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "スパムとプロモーションフォルダを確認してください",
"Check with your mail provider": "メールプロバイダーに確認してください",
"Check your inbox to verify email update": "",
"Choose": "選択",
"Choose a different plan": "別のプランを選択",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "サポートに連絡",
"Continue": "続ける",
"Continue subscription": "購読を続ける",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "ログインできませんでした。ログインリンクの有効期限が切れています。",
"Could not update email! Invalid link.": "メールアドレスを更新できませんでした。無効なリンクです。",
"Create a new contact": "新しい連絡先を作成",
@ -52,6 +56,7 @@
"Edit": "編集",
"Email": "メール",
"Email newsletter": "ニュースレターのメール",
"Email newsletter settings updated": "",
"Email preferences": "メールの設定",
"Emails": "メール",
"Emails disabled": "メールが無効になっています",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "エラー",
"Expires {{expiryDate}}": "{{expiryDate}}まで有効",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "永久",
"Free Trial Ends {{trialEnd}}": "無料期間 - {{trialEnd}}まで",
"Get help": "サポート",
@ -91,6 +108,8 @@
"Name": "名前",
"Need more help? Contact support": "サポートが必要ですか?お問い合わせください。",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "ニュースレターは、2つの理由によってアカウント上で無効になる場合があります: 以前のメールがスパムとしてマークされた場合、またはメールの送信が永続的な障害によって失敗した場合です。",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "メールが受信されない場合",
"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.": "再購読した後も受信トレイにメールが表示されない場合は、スパムフォルダを確認してください。一部の受信トレイは以前のスパムの記録を保持し、引き続きメールを判定します。これが起こった場合は、最新のニュースレターを「スパムではない」とマークし、受信トレイに移動してください。",
@ -126,6 +145,7 @@
"Submit feedback": "フィードバックを送信",
"Subscribe": "購読する",
"Subscribed": "購読済み",
"Subscription plan updated successfully": "",
"Success": "成功",
"Success! Check your email for magic link to sign-in.": "成功しました!ログイン用のマジックリンクをメールで確認してください。",
"Success! Your account is fully activated, you now have access to all content.": "成功しました!アカウントが完全にアクティブ化されました。これですべてのコンテンツにアクセスできます。",
@ -138,12 +158,22 @@
"That didn't go to plan": "計画通りにいきませんでした",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "メールアドレスは{{memberEmail}}です。もし正しくない場合は、<button>アカウント設定</button>で更新することができます。",
"There was a problem submitting your feedback. Please try again a little later.": "フィードバックの送信中に問題が発生しました。しばらくしてからもう一度お試しください。",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "このサイトは招待制です。アクセスするにはオーナーに連絡してください。",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "新規登録を完了するには、受信トレイの確認リンクをクリックしてください。3分経っても届かない場合は、スパムフォルダを確認してください。",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "{{amount}}日間無料でお試しください、その後は{{originalPrice}}です。",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "有料の購読者になることで、すべてのニュースレターへのアクセスが可能になります。",
"Unsubscribe from all emails": "すべてのメールの購読解除",
"Unsubscribed": "購読解除されました",
@ -170,6 +200,7 @@
"You've successfully signed in.": "ログインに成功しました",
"You've successfully subscribed to": "の購読に成功しました",
"Your account": "あなたのアカウント",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "あなたの感想を今後の内容の参考にさせていただきます。",
"Your subscription will expire on {{expiryDate}}": "あなたの購読は{{expiryDate}}に期限切れになります。",
"Your subscription will renew on {{renewalDate}}": "あなたの購読は{{renewalDate}}に更新されます。",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "계정 설정",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "무료 체험이 종료되면 선택한 요금제의 정상 가격이 청구돼요. 그 전에 언제든지 취소할 수 있어요.",
"Already a member?": "이미 회원이신가요?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "예기치 않은 오류가 발생했어요. 계속해서 오류가 발생하면 다시 시도하거나 <a>지원팀에 문의</a>해 주세요.",
"Back": "뒤로",
"Back to Log in": "로그인으로 돌아가기",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "스팸 & 프로모션 폴더를 확인해 주세요",
"Check with your mail provider": "메일 제공업체에 문의해 주세요",
"Check your inbox to verify email update": "",
"Choose": "선택",
"Choose a different plan": "다른 요금제 선택",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "지원팀에 문의",
"Continue": "계속",
"Continue subscription": "구독 계속",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "로그인할 수 없어요. 로그인 링크가 만료되었어요.",
"Could not update email! Invalid link.": "이메일을 업데이트할 수 없어요! 잘못된 링크이에요.",
"Create a new contact": "새 연락처 만들기",
@ -52,6 +56,7 @@
"Edit": "편집",
"Email": "이메일",
"Email newsletter": "이메일 뉴스레터",
"Email newsletter settings updated": "",
"Email preferences": "이메일 설정",
"Emails": "이메일",
"Emails disabled": "이메일 사용 중지됨",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "오류",
"Expires {{expiryDate}}": "{{expiryDate}}에 만료돼요",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "영원히",
"Free Trial Ends {{trialEnd}}": "무료 체험 {{trialEnd}}에 종료돼요",
"Get help": "도움 요청",
@ -91,6 +108,8 @@
"Name": "이름",
"Need more help? Contact support": "더 많은 도움이 필요하신가요? 지원팀에 문의해 주세요",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "뉴스레터는 계정에서 두 가지 이유로 사용 중지될 수 있어요: 이전 이메일이 스팸으로 표시되었거나, 이메일을 보내려고 시도했지만 영구적인 실패가 발생했을 때(바운스).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "이메일을 받지 못하고 계신가요?",
"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.": "다시 구독한 후에도 받은 편지함에 이메일이 표시되지 않는다면 스팸 폴더를 확인해 주세요. 일부 받은 편지함 제공업체는 이전 스팸 신고 기록을 유지하고 계속해서 이메일을 표시해요. 이런 경우 최신 뉴스레터를 '스팸이 아님'으로 표시하여 기본 받은 편지함으로 옮겨주세요.",
@ -126,6 +145,7 @@
"Submit feedback": "의견 제출",
"Subscribe": "구독",
"Subscribed": "구독 완료",
"Subscription plan updated successfully": "",
"Success": "성공",
"Success! Check your email for magic link to sign-in.": "성공! 로그인을 위한 링크가 이메일로 전송되었어요.",
"Success! Your account is fully activated, you now have access to all content.": "성공! 계정이 활성화되었어요. 이제 모든 콘텐츠에 접근할 수 있어요.",
@ -138,12 +158,22 @@
"That didn't go to plan": "계획대로 진행되지 않았어요",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "회원님의 이메일 주소는 {{memberEmail}}이에요. 이 주소가 맞지 않다면 <button>계정 설정 영역</button>에서 업데이트할 수 있어요.",
"There was a problem submitting your feedback. Please try again a little later.": "의견을 제출하는 중에 문제가 발생했어요. 잠시 후 다시 시도해 주세요.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "위 사이트는 초대된 사용자만 사용이 가능해요. 접근을 위해서는 관리자에게 연락해 주세요.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "가입을 완료하려면 이메일의 확인 링크를 클릭해 주세요. 3분 이내에 도착하지 않으면 스팸 폴더를 확인해 주세요!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "{{amount}}일 동안 무료로 사용한 후 {{originalPrice}}로 결제해 주세요.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "유료 구독자가 되어 모든 뉴스레터에 접근해 주세요.",
"Unsubscribe from all emails": "모든 이메일 구독 취소",
"Unsubscribed": "구독 취소 완료",
@ -170,6 +200,7 @@
"You've successfully signed in.": "성공적으로 로그인되었어요.",
"You've successfully subscribed to": "",
"Your account": "계정",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "회원님의 의견은 게시물을 제작하는 것에 큰 도움이 돼요.",
"Your subscription will expire on {{expiryDate}}": "회원님의 구독은 {{expiryDate}}에 만료돼요",
"Your subscription will renew on {{renewalDate}}": "회원님의 구독은 {{renewalDate}}에 갱신돼요",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Аккаунт баптаулары",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Тегін сынақ мерзімі аяқталғаннан кейін таңдаған деңгейіңіз үшін қалыпты баға төленеді. Оған дейін әрқашан бас тартуға болады.",
"Already a member?": "Аккаунт бар ма?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Күтпеген қате пайда болды. Қайта көріңіз немесе қате жалғаса берсе <a>қолдауға хабарласыңыз</a>.",
"Back": "Қайту",
"Back to Log in": "Кіру бетіне қайту",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Спам және жарнамалар қалталарын тексеріңіз",
"Check with your mail provider": "Пошта провайдері арқылы тексеріңіз",
"Check your inbox to verify email update": "",
"Choose": "Таңдау",
"Choose a different plan": "Басқа жоспарды таңдау",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Қолдау бөліміне хабарласу",
"Continue": "Жалғастыру",
"Continue subscription": "Жазылымды жалғастыру",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Кіру мүмкін болмады. Кіру сілтемесінің мерзімі өтіп кетті.",
"Could not update email! Invalid link.": "Email поштаны жаңарту мүмкін болмады! Жарамсыз сілтеме.",
"Create a new contact": "Жаңа контакт құру",
@ -52,6 +56,7 @@
"Edit": "Өңдеу",
"Email": "Email",
"Email newsletter": "Email бюллетені",
"Email newsletter settings updated": "",
"Email preferences": "Email теңшелімдері",
"Emails": "Электрондық хаттар",
"Emails disabled": "Электрондық хаттар өшірілген",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Қате",
"Expires {{expiryDate}}": "{{expiryDate}} аяқталады",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Үздіксіз",
"Free Trial Ends {{trialEnd}}": "Тегін сынақ мерзімі {{trialEnd}} аяқталады",
"Get help": "Көмек алу",
@ -91,6 +108,8 @@
"Name": "Есімі",
"Need more help? Contact support": "Қосымша көмек керек пе? Қолдау бөліміне хабарласыңыз",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Ақпараттық бюллетеньдер аккаунтыңызда екі себеп бойынша өшірілуі мүмкін: Алдыңғы хат спам ретінде белгіленген немесе хат жіберу әрекеті тұрақты қате (қайту) шыққан.",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Хаттар келмей жатыр ма?",
"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.": "Қайта жазылғаннан кейін, егер әлі де кіріс жәшігіңізде хаттар көрінбесе, спам қалтасын тексеріңіз. Кейбір пошта провадерлері бұрынғы спам шағымдарын сақтап, хаттарды белгілеуін жалғастырады. Егер солай болса, соңғы ақпараттық бюллетеньді \"Спам емес\" деп белгілеңіз және оны негізгі кіріс жәшігіне жылжытыңыз.",
@ -126,6 +145,7 @@
"Submit feedback": "Кері байланыс жіберу",
"Subscribe": "Жазылу",
"Subscribed": "Жазылған",
"Subscription plan updated successfully": "",
"Success": "Тамаша",
"Success! Check your email for magic link to sign-in.": "Тамаша! Кіруге арналған ғажайып сілтемені электрондық поштаңыздан қараңыз.",
"Success! Your account is fully activated, you now have access to all content.": "Тамаша! Аккаунтыңыз толық іске қосылды, енді сізге барлық мазмұн қолжетімді.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Бірнәрсе қате болды",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Сіздің электрондық пошта мекенжайыңыз — {{memberEmail}} — егер бұл қате болса, оны <button>аккаунт баптауларынан</button> жаңарта аласыз.",
"There was a problem submitting your feedback. Please try again a little later.": "Кері байланысты жіберу кезінде олқылық пайда болды. Кейінірек қайта көріңіз.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Бұл сайтқа тек шақырту бойынша кіруге болады, рұқсат алу үшін иесіне хабарласыңыз.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "іркелуді аяқтау үшін, кіріс жәшігіңіздегі растау сілтемесін басыңыз. Егер ол 3 минут ішінде келмесе, спам қалтасын тексеріңіз!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "{{amount}} күн тегін қолданып көріңіз, содан кейінгі бағасы {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Ақылы түрде жазылу арқылы барлық ақпараттық бюллетеньдерге қол жеткізіңіз.",
"Unsubscribe from all emails": "Барлық хаттарға жазылымнан бас тарту",
"Unsubscribed": "Жазылымнан бас тартылды",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Кіру сәтті орындалды.",
"You've successfully subscribed to": "Жазылым сәтті орындалды",
"Your account": "Сіздің аккаунт",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Сіздің пікіріңіз жарияланатын мазмұнды қалыптастыруға көмектеседі.",
"Your subscription will expire on {{expiryDate}}": "Сіздің жазылым {{expiryDate}} күні аяқталады",
"Your subscription will renew on {{renewalDate}}": "Сіздің жазылым {{renewalDate}} күні қайта жаңартылады",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Paskyros nustatymai",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Pasibaigus nemokamam bandomajam laikotarpiui, bus nuskaičiuota įprasta pasirinkto prenumeratos tipo kaina. Bet kuriuo metu galite atšaukti prenumeratą.",
"Already a member?": "Jau turite paskyrą?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Įvyko klaida. Bandykite dar kartą arba <a>susisiekite su palaikymo komanda</a>, jei klaida išlieka.",
"Back": "Atgal",
"Back to Log in": "Sugrįžti į prisijungimą",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Patikrinkite šlamšto (spam) ir reklamos aplankus",
"Check with your mail provider": "Pasitarkite su savo el. pašto paslaugų teikėju",
"Check your inbox to verify email update": "",
"Choose": "Pasirinkite",
"Choose a different plan": "Pasirinkite kitą planą",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Susisiekti su pagalba",
"Continue": "Tęsti",
"Continue subscription": "Pratęsti prenumeratą",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Nepavyko prijungti. Prisijungimo nuoroda nebegalioja.",
"Could not update email! Invalid link.": "Nepavyko atnaujinti el. pašto adreso! Negaliojanti nuoroda.",
"Create a new contact": "Sukurti naują kontaktą",
@ -52,6 +56,7 @@
"Edit": "Redaguoti",
"Email": "El. paštas",
"Email newsletter": "Naujienlaiškis el. paštu",
"Email newsletter settings updated": "",
"Email preferences": "El. pašto nustatymai",
"Emails": "Laiškai",
"Emails disabled": "El. laiškai deaktyvuoti",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Klaida",
"Expires {{expiryDate}}": "Nustoja galioti {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Neribotam laikui",
"Free Trial Ends {{trialEnd}}": "Nemokamas bandomasis laikotarpis Baigiasi {{trialEnd}}",
"Get help": "Gauti pagalbos",
@ -91,6 +108,8 @@
"Name": "Vardas",
"Need more help? Contact support": "Reikia daugiau pagalbos? Susisiekite",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Naujienlaiškiai gali būti išjungti paskyroje dėl dviejų priežasčių: ankstesnis el. laiškas buvo pažymėtas kaip šlamštas arba bandymai išsiųsti el. laišką buvo nuolatos atmetami.",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Negaunate el. laiškų?",
"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šą.",
@ -126,6 +145,7 @@
"Submit feedback": "Pateikti atsiliepimą",
"Subscribe": "Prenumeruoti",
"Subscribed": "Užsiprenumeruota",
"Subscription plan updated successfully": "",
"Success": "Viskas pavyko",
"Success! Check your email for magic link to sign-in.": "Viskas pavyko! Dabar savo el. pašto dėžutėje ieškokite specialios nuorodos prisijungimui. ",
"Success! Your account is fully activated, you now have access to all content.": "Pavyko! Jūsų paskyra pilnai aktyvuota, nuo šiol turite prieigą prie specialaus turinio.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Kažkas nepavyko",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Nustatytas El. pašto adresas yra {{memberEmail}} jei jis neteisingas, galite jį atnaujinti <button>paskyros nustatymuose</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Pateikiant atsiliepimą iškilo problema. Bandykite dar kartą vėliau.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Ši svetainė pasiekiama tik su pakvietimu, susisiekite su savininku dėl prieigos. ",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Jei norite užbaigti registraciją, gautame el. laiške spustelėkite patvirtinimo nuorodą. Jei laiško negaunate per 3 minutes, patikrinkite šlamšto (spam) aplanką!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Išbandykite {{amount}} d. nemokamai, vėliau {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Gaukite prieigą prie visų naujienlaiškių įsigiję mokamą prenumeratą.",
"Unsubscribe from all emails": "Atšaukti visas laiškų prenumeratas.",
"Unsubscribed": "Nebeprenumeruojama",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Sėkmingai prisijungėte.",
"You've successfully subscribed to": "Sėkmingai užsiprenumeravote",
"Your account": "Jūsų paskyra",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Jūsų indėlis padeda kurti tai, kas yra viešinama.",
"Your subscription will expire on {{expiryDate}}": "Jūsų prenumerata baigsis {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Jūsų prenumerata atsinaujins {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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. Ако не пристигне за повеќе од 3 минути, проверете во спам.",
"Account": "Сметка",
"Account details updated successfully": "",
"Account settings": "Поставки",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Откако пробниот период ќе истече, ќе ви биде наплатена регуларната цена за пакетот кој сте го избрале. Секогаш можете да откажете претходно.",
"Already a member?": "Веќе сте член",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Настана неочекувана грешка. Ве молиме обидете се повторно или <a>контактирајте ја подршката</a> ако грешката се повторува.",
"Back": "Назад",
"Back to Log in": "Назад кон најава",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Проверете спам и промотивни папки",
"Check with your mail provider": "Проверете со вашиот mail сервис",
"Check your inbox to verify email update": "",
"Choose": "Изберете",
"Choose a different plan": "Изберете друг пакет",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Контактирајте подршка",
"Continue": "Продолжете",
"Continue subscription": "Продолжете ја претплатата",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Не можете да се најавите. Линкот за најава истече.",
"Could not update email! Invalid link.": "Не може да се промени email адресата! Линкот е невалиден.",
"Create a new contact": "Создајте нов контакт",
@ -52,6 +56,7 @@
"Edit": "Променете",
"Email": "Email",
"Email newsletter": "Email билтен",
"Email newsletter settings updated": "",
"Email preferences": "Email поставки",
"Emails": "Електронски пошти",
"Emails disabled": "Оневозможени електронски пошти",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Грешка",
"Expires {{expiryDate}}": "Истекува на {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Засекогаш",
"Free Trial Ends {{trialEnd}}": "Пробниот период - Истекува на {{trialEnd}}",
"Get help": "Побарајте помош",
@ -91,6 +108,8 @@
"Name": "Име",
"Need more help? Contact support": "Ви треба помош? Контактирајте подршка",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Билтените можат да бидат оневозможени за вашата сметка поради две причини: претходна порака била обележана како спам, или обидот за исппраќање на порака резултирал со траен неуспех (отскокнување).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Не добивате пораки?",
"Now check your email!": "Сега проверете ги пораките1",
"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.": "Кога ќе се претплатите повторно, доколку сè уште не добивате пораки, проверте ја папката за спам. Некои сервиси чуваат записи од претходни поплаки за спам и продолжуваат да ги обележуваат пораките како такви. Ако ова се случи, обележете ја последната порака од билтенот дека не е спам и префрлете ја во главното поштенско сандаче.",
@ -126,6 +145,7 @@
"Submit feedback": "Испратете забелешка",
"Subscribe": "Претплатете се",
"Subscribed": "Претплатено",
"Subscription plan updated successfully": "",
"Success": "Успех",
"Success! Check your email for magic link to sign-in.": "Успех! Проверете го вашиот email за линк за најава.",
"Success! Your account is fully activated, you now have access to all content.": "Успех! Вашата сметка е целосно активирана и сега имате пристап до целата содржина.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Тоа се случи според планот!",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Email адресата која ја имаме за вас е {{memberEmail}} - ако ова не е точна адреса, можете да ја ажурирате во <button>секцијата за поставки</button> на сметката.",
"There was a problem submitting your feedback. Please try again a little later.": "Настана проблем при испраќање на вашата забелешка. Обидете се повторно малку подоцна.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Оваа страница е достапна само со покана. За пристап контактирајте го сопственикот.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "За да ја завршите регистрацијата, кликнете на линкот за потврда испратен на вашата email адреса. Ако не пристигне во рок од 3 минути, проверте во спам!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Пробајте бесплатно за {{amount}} денови, потоа по цена од {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Добијте пристап до сите билтени преку платена претплата.",
"Unsubscribe from all emails": "Отпишете се од сите пораки",
"Unsubscribed": "Отпишано",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Успешно се најавивте.",
"You've successfully subscribed to": "Успешно се претплативте на",
"Your account": "Вашата сметка",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Вашиот прилог помага да се оформи она кое ќе биде објавувано.",
"Your subscription will expire on {{expiryDate}}": "Вашата претплата ќе истече на {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Вашата претплата ќе биде обновена на {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Бүртгэлийн тохиргоо",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Үнэгүй туршилтын хугацаа дуусахад таны данснаас сонгосон багцын үнэ хасагдана. Гэвч та өмнө нь цуцлах боломжтой.",
"Already a member?": "Бүртгэлтэй юу?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "",
"Back": "Буцах",
"Back to Log in": "Нэвтрэх хэсэг рүү буцах",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "",
"Check with your mail provider": "",
"Check your inbox to verify email update": "",
"Choose": "",
"Choose a different plan": "Өөр багц сонгох",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "",
"Continue": "Үргэлжлүүлэх",
"Continue subscription": "",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "",
"Could not update email! Invalid link.": "",
"Create a new contact": "",
@ -52,6 +56,7 @@
"Edit": "",
"Email": "Имэйл",
"Email newsletter": "",
"Email newsletter settings updated": "",
"Email preferences": "Имэйлийн тохиргоо",
"Emails": "Имэйлүүд",
"Emails disabled": "Имэйлийг идэхгүй болгосон",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "",
"Expires {{expiryDate}}": "",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "",
"Free Trial Ends {{trialEnd}}": "",
"Get help": "Тусламж",
@ -91,6 +108,8 @@
"Name": "Нэр",
"Need more help? Contact support": "",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Имэйл ирээгүй юу?",
"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.": "",
@ -126,6 +145,7 @@
"Submit feedback": "Саналаа илгээх",
"Subscribe": "",
"Subscribed": "",
"Subscription plan updated successfully": "",
"Success": "",
"Success! Check your email for magic link to sign-in.": "",
"Success! Your account is fully activated, you now have access to all content.": "",
@ -138,12 +158,22 @@
"That didn't go to plan": "",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Энэхүү сайт руу зөвхөн урилгаар нэвтрэх боломжтой тул та админд нь хандана уу.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Тан руу илгээсэн баталгаажуулах холбоос дээр дарж бүртгэлээ дуусгана уу. Хэрвээ 3 минутын дотор ирэхгүй бол спамаа шалгана уу!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "",
"Unsubscribe from all emails": "Бүх имэйлийг зогсоох",
"Unsubscribed": "",
@ -170,6 +200,7 @@
"You've successfully signed in.": "",
"You've successfully subscribed to": "",
"Your account": "Таны бүртгэл",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Таны санал дараа дараагийн нийтлэлийг илүү чанартай болгоход туслана",
"Your subscription will expire on {{expiryDate}}": "",
"Your subscription will renew on {{renewalDate}}": "",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Tetapan akaun",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Selepas tempoh percubaan percuma tamat, anda akan dicaj harga biasa untuk peringkat yang anda pilih. Anda sentiasa boleh membatalkan sebelum itu.",
"Already a member?": "Sudah menjadi ahli?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Ralat yang tidak dijangka berlaku. Sila cuba lagi atau <a>hubungi sokongan</a> jika ralat berterusan.",
"Back": "Kembali",
"Back to Log in": "Kembali ke Log masuk",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Semak folder spam & promosi",
"Check with your mail provider": "Semak dengan pembekal mel anda",
"Check your inbox to verify email update": "",
"Choose": "Pilih",
"Choose a different plan": "Pilih pelan yang berbeza",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Hubungi sokongan",
"Continue": "Teruskan",
"Continue subscription": "Teruskan langganan",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Tidak dapat log masuk. Pautan log masuk tamat tempoh.",
"Could not update email! Invalid link.": "Tidak dapat mengemas kini e-mel! Pautan tidak sah.",
"Create a new contact": "Cipta kenalan baru",
@ -52,6 +56,7 @@
"Edit": "Sunting",
"Email": "E-mel",
"Email newsletter": "Newsletter e-mel",
"Email newsletter settings updated": "",
"Email preferences": "Emel pilihan",
"Emails": "E-mel",
"Emails disabled": "E-mel dilumpuhkan",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Ralat",
"Expires {{expiryDate}}": "Luput pada {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Selamanya",
"Free Trial Ends {{trialEnd}}": "Percubaan Percuma Tamat {{trialEnd}}",
"Get help": "Dapatkan bantuan",
@ -91,6 +108,8 @@
"Name": "Nama",
"Need more help? Contact support": "Perlukan bantuan lagi? Hubungi sokongan",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Newsletter boleh dilumpuhkan pada akaun anda atas dua sebab: E-mel sebelumnya telah ditandakan sebagai spam atau percubaan menghantar e-mel mengakibatkan kegagalan kekal (bounce).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Tidak menerima e-mel?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Serahkan maklum balas",
"Subscribe": "Langgan",
"Subscribed": "Dilanggan",
"Subscription plan updated successfully": "",
"Success": "Berjaya",
"Success! Check your email for magic link to sign-in.": "Berjaya! Semak e-mel anda untuk magic link untuk log masuk.",
"Success! Your account is fully activated, you now have access to all content.": "Berjaya! Akaun anda telah diaktifkan sepenuhnya, anda kini mempunyai akses ke semua kandungan.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Itu tidak berjalan sesuai dengan rancangan",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Alamat e-mel yang kami miliki untuk anda adalah {{memberEmail}} — jika itu tidak betul, anda boleh mengemas kini di <button>ruang tetapan akaun</button> anda.",
"There was a problem submitting your feedback. Please try again a little later.": "Terdapat masalah menghantar maklum balas anda. Sila cuba sebentar lagi.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Laman web ini hanya untuk jemputan, hubungi pemilik untuk akses.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Untuk melengkapkan pendaftaran, klik pautan pengesahan di peti masuk anda. Jika ia tidak tiba dalam masa 3 minit, semak folder spam anda!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Cuba secara percuma selama {{amount}} hari, kemudian {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Buka akses ke semua newsletter dengan menjadi pelanggan berbayar.",
"Unsubscribe from all emails": "Berhenti langganan dari semua e-mel",
"Unsubscribed": "Langganan diberhentikan",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Anda telah berjaya log masuk.",
"You've successfully subscribed to": "",
"Your account": "Akaun anda",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Input anda membantu membentuk apa yang diterbitkan.",
"Your subscription will expire on {{expiryDate}}": "Langganan anda akan tamat tempoh pada {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Langganan anda akan diperbaharui pada {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Gegevens",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Na de proefperiode zal het normale tarief in rekening worden gebracht voor het door jou gekozen abonnement.",
"Already a member?": "Al lid?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "",
"Back": "Terug",
"Back to Log in": "Terug naar inloggen",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Check je spam folders",
"Check with your mail provider": "Check bij je e-mail provider",
"Check your inbox to verify email update": "",
"Choose": "Kies",
"Choose a different plan": "Kies een ander abonnement",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "",
"Continue": "Doorgaan",
"Continue subscription": "",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "",
"Could not update email! Invalid link.": "",
"Create a new contact": "",
@ -52,6 +56,7 @@
"Edit": "Bewerken",
"Email": "E-mail",
"Email newsletter": "Nieuwsbrief",
"Email newsletter settings updated": "",
"Email preferences": "E-mailinstellingen",
"Emails": "E-mails",
"Emails disabled": "E-mails zijn uitgeschakeld",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Fout",
"Expires {{expiryDate}}": "Verloopt op {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Voor altijd",
"Free Trial Ends {{trialEnd}}": "",
"Get help": "Lees meer",
@ -91,6 +108,8 @@
"Name": "Naam",
"Need more help? Contact support": "",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Ontvang je geen e-mails?",
"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.": "",
@ -126,6 +145,7 @@
"Submit feedback": "Deel je feedback",
"Subscribe": "",
"Subscribed": "",
"Subscription plan updated successfully": "",
"Success": "",
"Success! Check your email for magic link to sign-in.": "",
"Success! Your account is fully activated, you now have access to all content.": "",
@ -138,12 +158,22 @@
"That didn't go to plan": "Er ging iets mis",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Deze site is alleen toegankelijk op uitnodiging, neem contact op met de eigenaar.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Klik op de bevestigingslink in de e-mail om je registratie af te ronden. Check ook je spamfolder als hij niet binnen de 3 minuten aankomt.",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "",
"Unsubscribe from all emails": "Uitschrijven voor alles",
"Unsubscribed": "",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Je bent succesvol ingelogd.",
"You've successfully subscribed to": "Je bent succesvol geabonneerd op",
"Your account": "Jouw account",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Jouw mening helpt bepalen wat er gepubliceerd wordt.",
"Your subscription will expire on {{expiryDate}}": "",
"Your subscription will renew on {{renewalDate}}": "",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Brukarinnstillingar",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Når den gratis prøveperioden er over vil du bli belasta den normale prisen for abonnementet du har vald. Du kan alltids avslutta abonnementet au.",
"Already a member?": "Allereie medlem?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Ein uventa feil har skjedd. Ver gild å prøv igjen eller <a>ta kontakt</a> viss feilen fortset.",
"Back": "Tilbake",
"Back to Log in": "Tilbake til innlogginga",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Sjekk søppelpostmappa di",
"Check with your mail provider": "Sjekk med e-postleverandøren din",
"Check your inbox to verify email update": "",
"Choose": "Vel",
"Choose a different plan": "Vel eit anna abonnement",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Få hjelp",
"Continue": "Fortset",
"Continue subscription": "Fortset abonnement",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Kunne ikkje logga inn. Innlogginslenka er utgått.",
"Could not update email! Invalid link.": "Kunne ikkje oppdatera e-post! Ugyldig lenke.",
"Create a new contact": "Lag ein ny kontakt",
@ -52,6 +56,7 @@
"Edit": "Endra",
"Email": "E-post",
"Email newsletter": "E-post nyheitsbrev",
"Email newsletter settings updated": "",
"Email preferences": "E-post preferansar.",
"Emails": "E-postar.",
"Emails disabled": "E-postar skrudd av",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Feil",
"Expires {{expiryDate}}": "Går ut {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "For evig",
"Free Trial Ends {{trialEnd}}": "Gratis prøveperiode sluttar {{trialEnd}}",
"Get help": "Få hjelp",
@ -91,6 +108,8 @@
"Name": "Namn",
"Need more help? Contact support": "Treng du meir hjelp? Ta kontakt med brukarstøtte",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Nyheitsbrev kan bli skrudd av for brukaren din av to grunner: Ein tidlegare e-post har blitt markert som spam. Eller så har eit forsøk på å senda ein e-post resultert i ein permanent feil.",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Får du ikkje e-postar?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Gje oss tilbakemeldinger",
"Subscribe": "Abonner",
"Subscribed": "Abonnert",
"Subscription plan updated successfully": "",
"Success": "Vellykka",
"Success! Check your email for magic link to sign-in.": "Vellykka! Sjekk e-posten din for ei innlogginslenke.",
"Success! Your account is fully activated, you now have access to all content.": "Vellykka! Brukaren din er aktivert, du har no tilgang til alt innhald.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Det gjekk ikkje etter planen",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "E-postadressa me har på deg er {{memberEmail}} viss det ikkje er riktig, kan du oppdatera i <button>brukarinnstillingane</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Det var eit problem med å senda tilbakemeldinga di. Vennligst prøv igjen litt seinare.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Denne sida er kun for inviterte, ta kontakt med eigaren for tilgang.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Klikk på bekreftelseslenka i innboksen din for å fullføra registreringa. Sjekk spam-mappa di om lenka ikkje har kome innan 3 minutt.",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Prøv gratis i {{amount}} dagar, deretter {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Få tilgang til alle nyheitsbreva med å bli ein betalande abonnent.",
"Unsubscribe from all emails": "Slutt å motta e-postar",
"Unsubscribed": "Abonnement avslutta",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Vellykka innlogging.",
"You've successfully subscribed to": "",
"Your account": "Din brukar",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Dine tilbakemeldinger hjelper oss å forma tilbodet vårt.",
"Your subscription will expire on {{expiryDate}}": "Ditt abonnement går ut den {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Ditt abonnement vil fornyast den {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Kontoinnstillinger",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Etter at prøveperioden er over, vil du bli belastet den vanlige prisen for nivået du har valgt. Du kan alltid avbryte før det.",
"Already a member?": "Allerede medlem?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "En uforutsett feil oppstod. Vennligst prøv igjen eller <a>ta kontakt</a> om feilen vedvarer.",
"Back": "Tilbake",
"Back to Log in": "Tilbake til logginn",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Sjekk foldere for søppelpost og reklame",
"Check with your mail provider": "Ta kontakt med din epostleverandør",
"Check your inbox to verify email update": "",
"Choose": "Velg",
"Choose a different plan": "Velg et annet nivå",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "",
"Continue": "Fortsett",
"Continue subscription": "Fortsett abonnement",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Kunne ikke logge på. Tiden for lenken har utgått.",
"Could not update email! Invalid link.": "Kunne ikke oppdatere epost! Ugyldig lenke.",
"Create a new contact": "Registrer en ny kontakt",
@ -52,6 +56,7 @@
"Edit": "Rediger",
"Email": "Epost",
"Email newsletter": "Epostbasert nyhetsbrev",
"Email newsletter settings updated": "",
"Email preferences": "Innstillinger for epost",
"Emails": "Epost",
"Emails disabled": "Epost deaktivert",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Feil",
"Expires {{expiryDate}}": "Avsluttes {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "For alltid",
"Free Trial Ends {{trialEnd}}": "Gratis prøveperiode avsluttes {{trialEnd}}",
"Get help": "Få hjelp",
@ -91,6 +108,8 @@
"Name": "Navn",
"Need more help? Contact support": "Trenger du mer hjelp? Ta kontakt",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Mottar du ikke epost?",
"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'.",
@ -126,6 +145,7 @@
"Submit feedback": "Send tilbakemelding",
"Subscribe": "Påmelding",
"Subscribed": "Påmeldt",
"Subscription plan updated successfully": "",
"Success": "Suksess",
"Success! Check your email for magic link to sign-in.": "Suksess! Sjekk din epost for magisk lenke på pålogging.",
"Success! Your account is fully activated, you now have access to all content.": "Suksess! Din konto er nå aktivert, og du har tilgang til alt innhold.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Det gikk ikke som planlagt",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "Det oppstod en feil. Vennligst prøv igjen senere.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Denne siten er kun fo inviterte. Kontakt eieren for invitasjon.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "For å fullføre registreringen, klikk på bekreftelseslenken i innboksen din. Hvis den ikke kommer innen 3 minutter, må du sjekke søppelposten din!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Få tilgang til alle nyhetsbrevene ved å oppgradere ditt abonnement.",
"Unsubscribe from all emails": "Meld deg av mottak av all epost",
"Unsubscribed": "Avmeldt",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Du har logged på igjen.",
"You've successfully subscribed to": "Du har meldt deg på",
"Your account": "Din konto",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Din tilbakemelding bidrar til å forme hva som blir publisert.",
"Your subscription will expire on {{expiryDate}}": "Ditt abonnement vil avsluttes den {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Ditt abonnemnet vil fornyes den {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Ustawienia konta",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Po zakończeniu okresu próbnego zostanie naliczona regularna opłata za wybrany poziom subskrypcji. Pamiętaj, że możesz anulować subskrypcję zanim to nastąpi.",
"Already a member?": "Masz już konto?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Wystąpił nieoczekiwany błąd. Spróbuj ponownie lub jeśli błąd będzie nadal występował, to <a>skontaktuj z pomocą techniczną</a>.",
"Back": "Wstecz",
"Back to Log in": "Wróć do logowania",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Sprawdź foldery spamu i promocji",
"Check with your mail provider": "Skontaktuj się z dostawcą poczty elektronicznej",
"Check your inbox to verify email update": "",
"Choose": "Wybierz",
"Choose a different plan": "Wybierz inny plan",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kontakt z pomocą techniczną",
"Continue": "Kontynuuj",
"Continue subscription": "Kontynuuj subskrypcję",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Nie można się zalogować, ponieważ link do logowania wygasł.",
"Could not update email! Invalid link.": "Nie można zaktualizować adresu email, ponieważ link jest nieprawidłowy.",
"Create a new contact": "Utwórz nowy kontakt",
@ -52,6 +56,7 @@
"Edit": "Edytuj",
"Email": "Email",
"Email newsletter": "Newsletter email",
"Email newsletter settings updated": "",
"Email preferences": "Ustawienia email",
"Emails": "Emaile",
"Emails disabled": "Wysyłanie emaili zablokowane",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Błąd",
"Expires {{expiryDate}}": "Wygasa {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Na zawsze",
"Free Trial Ends {{trialEnd}}": "Bezpłatny okres próbny - Koniec {{trialEnd}}",
"Get help": "Uzyskaj pomoc",
@ -91,6 +108,8 @@
"Name": "Imię",
"Need more help? Contact support": "Potrzebujesz pomocy? Skontaktuj się z pomocą techniczną",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Newslettery mogą zostać wyłączone na Twoim koncie z dwóch powodów: poprzedni email został oznaczony jako spam lub próba wysłania wiadomości zakończyła się niepowodzeniem (odesłaniem).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Nie dostajesz emaili?",
"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.": "",
@ -126,6 +145,7 @@
"Submit feedback": "Wyślij ocenę",
"Subscribe": "Subskrybuj",
"Subscribed": "Zasubskrybowane",
"Subscription plan updated successfully": "",
"Success": "Sukces",
"Success! Check your email for magic link to sign-in.": "Sukces! Sprawdź swój email, aby uzyskać link do logowania.",
"Success! Your account is fully activated, you now have access to all content.": "Sukces! Twoje konto zostało w pełni aktywowane, masz teraz dostęp do serwisu.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Coś poszło nie tak",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Adres email, który mamy to {{memberEmail}} — jeśli nie jest poprawny, możesz go zaktualizować w swoich <button>ustawieniach konta</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Wystąpił problem z przesyłaniem opinii. Spróbuj ponownie nieco później.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Ta strona posiada zamknięty dostęp. Skontaktuj się z właścicielem, aby uzyskać dostęp.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Aby dokończyć rejestrację, kliknij w link przesłany na twoją skrzynkę pocztową. Jeśli nie dotrze w ciągu 3 minut, sprawdź folder spamu!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Wypróbuj za darmo przez {{amount}} dni, później {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Zostań płatnym subskrybentem i odblokuj dostęp do wszystkich biuletynów.",
"Unsubscribe from all emails": "Wypisz się w wszystkich emaili",
"Unsubscribed": "Niezasubskrybowany",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Logowanie powiodło się.",
"You've successfully subscribed to": "Pomyślnie zasubskrybowano",
"Your account": "Twoje konto",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Twoja ocena pomoże nam lepiej kształtować nasz publikacje.",
"Your subscription will expire on {{expiryDate}}": "Subskrypcja wygaśnie w dniu {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Subskrypcja zostanie odnowiona w dniu {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+55 (00) 0 0000-0000",
"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 details updated successfully": "",
"Account settings": "Configurações de conta",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Quando o teste grátis acabar, será cobrado o preço normal do plano que você escolheu. Você sempre pode cancelar antes.",
"Already a member?": "Já é membro?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Ocorreu um erro inesperado. Tente novamente ou <a>entre em contato com o suporte</a> se o erro persistir.",
"Back": "Voltar",
"Back to Log in": "Voltar para login",
@ -28,6 +30,7 @@
"Change plan": "Alterar plano",
"Check spam & promotions folders": "Verificar pastas de spam e promoções",
"Check with your mail provider": "Verificar com seu provedor de e-mail",
"Check your inbox to verify email update": "",
"Choose": "Escolher",
"Choose a different plan": "Escolher um plano diferente",
"Choose a plan": "Escolher um plano",
@ -42,6 +45,7 @@
"Contact support": "Contatar suporte",
"Continue": "Continuar",
"Continue subscription": "Continuar inscrição",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Não foi possível fazer login. O link de acesso expirou.",
"Could not update email! Invalid link.": "Não foi possível atualizar o e-mail! Link inválido.",
"Create a new contact": "Criar um novo contato",
@ -52,6 +56,7 @@
"Edit": "Editar",
"Email": "E-mail",
"Email newsletter": "Newsletter por e-mail",
"Email newsletter settings updated": "",
"Email preferences": "Preferências de e-mail",
"Emails": "E-mails",
"Emails disabled": "E-mails desativados",
@ -60,6 +65,18 @@
"Enter your name": "Insira seu nome",
"Error": "Erro",
"Expires {{expiryDate}}": "Expira em {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Para sempre",
"Free Trial Ends {{trialEnd}}": "Teste grátis Termina em {{trialEnd}}",
"Get help": "Obter ajuda",
@ -91,6 +108,8 @@
"Name": "Nome",
"Need more help? Contact support": "Precisa de mais ajuda? Contate o suporte",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "As newsletters podem ser desativadas na sua conta por dois motivos: um e-mail anterior foi marcado como spam ou a tentativa de enviar um e-mail resultou em uma falha permanente (bounce).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Não está recebendo e-mails?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Enviar avaliação",
"Subscribe": "Inscrever-se",
"Subscribed": "Inscrito",
"Subscription plan updated successfully": "",
"Success": "Sucesso",
"Success! Check your email for magic link to sign-in.": "Sucesso! Verifique seu e-mail para o link mágico de acesso.",
"Success! Your account is fully activated, you now have access to all content.": "Sucesso! Sua conta está totalmente ativada, agora você tem acesso a todo o conteúdo.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Algo não saiu como planejado",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "O endereço de e-mail que temos para você é {{memberEmail}} — se isso não estiver correto, você pode atualizá-lo na sua <button>área de configurações da conta</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Houve um problema ao enviar sua avaliação. Tente novamente mais tarde.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Houve um erro ao processar seu pagamento. Por favor, tente novamente.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Este site é apenas para convidados. Contate o proprietário para obter acesso.",
"This site is not accepting payments at the moment.": "Este site não está aceitando pagamentos no momento.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Para completar o cadastro, clique no link de confirmação enviado para sua caixa de entrada. Se o link não chegar dentro de 3 minutos, confira a pasta de spam!",
"To continue to stay up to date, subscribe to {{publication}} below.": "Para continuar atualizado, inscreva-se em {{publication}} abaixo.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Experimente grátis por {{amount}} dias, depois {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Desbloqueie o acesso a todas as newsletters se tornando um assinante pago.",
"Unsubscribe from all emails": "Cancelar inscrição em todos os e-mails",
"Unsubscribed": "Cancelado",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Você entrou com sucesso.",
"You've successfully subscribed to": "Você se inscreveu com sucesso",
"Your account": "Sua conta",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Sua resposta ajuda a moldar o que será publicado.",
"Your subscription will expire on {{expiryDate}}": "Sua assinatura expirará em {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Sua assinatura será renovada em {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 email. Se o email não chegar dentro de 3 minutos, verifique a pasta de spam/lixo do seu email.",
"Account": "Conta",
"Account details updated successfully": "",
"Account settings": "Definições de conta",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Após o término do teste grátis, será cobrado o valor normal para o nível escolhido. Poderá sempre cancelar até esse momento, caso não deseje ser cobrado.",
"Already a member?": "Já é membro?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Ocorreu um erro inesperado. Por favor tente novamente ou <a>contacte o suporte</a> se o erro persistir.",
"Back": "Voltar",
"Back to Log in": "Voltar ao login",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Verifique a pasta de spam e promoções",
"Check with your mail provider": "Entre em contacto com o seu serviço de email",
"Check your inbox to verify email update": "",
"Choose": "Escolher",
"Choose a different plan": "Escolha um plano diferente",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Contactar suporte",
"Continue": "Continuar",
"Continue subscription": "Continuar subscrição",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Não foi possível registar. O link de login expirou.",
"Could not update email! Invalid link.": "Não foi possível atualizar o email! Link inválido.",
"Create a new contact": "Criar novo contacto",
@ -52,6 +56,7 @@
"Edit": "Editar",
"Email": "Email",
"Email newsletter": "Newsletter",
"Email newsletter settings updated": "",
"Email preferences": "Preferências de email",
"Emails": "Emails",
"Emails disabled": "Email desativado",
@ -60,6 +65,18 @@
"Enter your name": "Insira o seu nome",
"Error": "Erro",
"Expires {{expiryDate}}": "Expira {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Para sempre",
"Free Trial Ends {{trialEnd}}": "Período de Teste Gratuito - Termina {{trialEnd}}",
"Get help": "Obter ajuda",
@ -91,6 +108,8 @@
"Name": "Nome",
"Need more help? Contact support": "Precisa de mais ajuda? Entre em contacto com o suporte",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "As newsletters podem ser desativadas na sua conta por dois motivos: um email anterior foi marcado como spam, ou a tentativa de enviar um email resultou numa falha permanente (bounce).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Não está a receber emails?",
"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.": "Se depois de ser inscrever novamente, os emails não chegaram à sua caixa de entrada, verifique por favor a sua pasta de spam. Alguns provedores de mail têm disponível 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.",
@ -126,6 +145,7 @@
"Submit feedback": "Enviar avaliação",
"Subscribe": "Inscrever-se",
"Subscribed": "Inscrito",
"Subscription plan updated successfully": "",
"Success": "Sucesso",
"Success! Check your email for magic link to sign-in.": "Sucesso! Verifique o seu email para o link mágico de acesso.",
"Success! Your account is fully activated, you now have access to all content.": "Sucesso! A sua conta está totalmente ativada, agora tem acesso a todo o conteúdo.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Algo não correu como planeado",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "O endereço de email que temos disponível para si é {{memberEmail}} — se desejar alterá-lo, poderá fazê-lo na sua <button>área de configurações da conta</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Houve um problema ao enviar sua avaliação. Tente novamente mais tarde por favor.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Houve um problema ao processar o seu pagamento. Tente novamente por favor.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "O acesso a este site é feito apenas por convite. Entre em contacto com o proprietário para obter acesso.",
"This site is not accepting payments at the moment.": "Este site não está a aceitar pagamentos de momento",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Para completar o registo, clique no link de confirmação enviado para a sua caixa de entrada. Se não o receber dentro de 3 minutos, verifique a sua pasta de spam!",
"To continue to stay up to date, subscribe to {{publication}} below.": "Para continuar a par das novidades, subscreva o {{publication}} aqui.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Experimente grátis por {{amount}} dias, depois {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Desbloqueie o acesso a todas as newsletters tornando-se um assinante pago.",
"Unsubscribe from all emails": "Cancelar subscrição de todos os emails",
"Unsubscribed": "Subscrição cancelada",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Registou-se com sucesso.",
"You've successfully subscribed to": "Subscreveu com sucesso",
"Your account": "A sua conta",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "O seu feedback ajudará a decidir o conteúdo que será publicado no futuro.",
"Your subscription will expire on {{expiryDate}}": "A sua assinatura expirará em {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "A sua assinatura será renovada em {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Setări cont",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "După ce expiră perioada de încercare gratuită, vei fi taxat la prețul obișnuit pentru nivelul pe care l-ai ales. Poți anula în orice moment înainte de aceasta.",
"Already a member?": "Ești deja membru?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "A apărut o eroare neașteptată. Te rog încearcă din nou sau <a>contactează suportul</a> dacă eroarea persistă.",
"Back": "Înapoi",
"Back to Log in": "Înapoi la Autentificare",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Verifică dosarele spam & promoții",
"Check with your mail provider": "Verifică cu furnizorul tău de email",
"Check your inbox to verify email update": "",
"Choose": "Alege",
"Choose a different plan": "Alege un plan diferit",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Contactează suportul",
"Continue": "Continuă",
"Continue subscription": "Continuă abonamentul",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Nu s-a putut autentifica. Link-ul de autentificare a expirat.",
"Could not update email! Invalid link.": "Nu s-a putut actualiza emailul! Link invalid.",
"Create a new contact": "Creează un nou contact",
@ -52,6 +56,7 @@
"Edit": "Editează",
"Email": "Email",
"Email newsletter": "Newsletter prin email",
"Email newsletter settings updated": "",
"Email preferences": "Preferințe email",
"Emails": "Emailuri",
"Emails disabled": "Emailuri dezactivate",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Eroare",
"Expires {{expiryDate}}": "Expiră {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Pentru totdeauna",
"Free Trial Ends {{trialEnd}}": "Perioadă de probă gratuită - Se încheie {{trialEnd}}",
"Get help": "Obține ajutor",
@ -91,6 +108,8 @@
"Name": "Nume",
"Need more help? Contact support": "Aveți nevoie de mai mult ajutor? Contactați suportul",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Buletinele informative pot fi dezactivate pe contul dvs. din două motive: Un email anterior a fost marcat ca spam, sau încercarea de a trimite un email a rezultat într-o eroare permanentă (respins).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Nu primești emailuri?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Trimite feedback",
"Subscribe": "Abonează-te",
"Subscribed": "Abonat",
"Subscription plan updated successfully": "",
"Success": "Succes",
"Success! Check your email for magic link to sign-in.": "Succes! Verifică-ți emailul pentru link-ul magic de autentificare.",
"Success! Your account is fully activated, you now have access to all content.": "Succes! Contul tău este complet activat, acum ai acces la tot conținutul.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Asta nu a mers conform planului",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Adresa de email pe care o avem pentru tine este {{memberEmail}} — dacă nu este corectă, o poți actualiza în <button>zona de setări a contului</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "A fost o problemă cu trimiterea feedback-ului tău. Te rog încearcă din nou puțin mai târziu.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Acest site este disponibil doar pe bază de invitație, contactează proprietarul pentru acces.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Pentru a finaliza înregistrarea, apasă pe link-ul de confirmare din inbox-ul tău. Dacă nu ajunge în 3 minute, verifică folderul de spam!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Încearcă gratuit pentru {{amount}} zile, apoi {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Deblochează accesul la toate buletinele informative devenind un abonat plătit.",
"Unsubscribe from all emails": "Dezabonează-te de la toate emailurile",
"Unsubscribed": "Dezabonat",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Te-ai autentificat cu succes.",
"You've successfully subscribed to": "Te-ai abonat cu succes la",
"Your account": "Contul tău",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Contribuția ta ajută la conturarea a ceea ce se publică.",
"Your subscription will expire on {{expiryDate}}": "Abonamentul tău va expira pe {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Abonamentul tău se va reînnoi pe {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+7 (987) 654-3210",
"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. Если письмо не пришло в течение 3 минут, проверьте папку «Спам».",
"Account": "Аккаунт",
"Account details updated successfully": "",
"Account settings": "Настройки аккаунта",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "После окончания бесплатного периода с вас будут взиматься регулярные платежи по выбранному тарифу. До этого момента вы можете отменить подписку в любое время.",
"Already a member?": "Уже есть аккаунт?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Произошла непредвиденная ошибка. Пожалуйста, повторите попытку или <a>обратитесь в службу поддержки</a>, если ошибка повторится.",
"Back": "Назад",
"Back to Log in": "Вернуться на страницу входа",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Проверьте папки «Спам», «Рассылки» или «Промоакции»",
"Check with your mail provider": "Обратитесь к своему почтовому провайдеру",
"Check your inbox to verify email update": "",
"Choose": "Выбрать",
"Choose a different plan": "Выбрать другой план",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Написать в техподдержку",
"Continue": "Продолжить",
"Continue subscription": "Возобновить подписку",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Не удалось войти. Срок действия ссылки для входа истёк.",
"Could not update email! Invalid link.": "Не удалось обновить email адрес! Неверная ссылка.",
"Create a new contact": "Создать новый контакт",
@ -52,6 +56,7 @@
"Edit": "Редактировать",
"Email": "Email",
"Email newsletter": "Email рассылки",
"Email newsletter settings updated": "",
"Email preferences": "Настройки email адреса",
"Emails": "Письма",
"Emails disabled": "Доставка писем отключена",
@ -60,6 +65,18 @@
"Enter your name": "Введите ваше имя",
"Error": "Ошибка",
"Expires {{expiryDate}}": "Подписка заканчивается {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Навсегда",
"Free Trial Ends {{trialEnd}}": "Бесплатный период заканчивается {{trialEnd}}",
"Get help": "Получить помощь",
@ -91,6 +108,8 @@
"Name": "Имя",
"Need more help? Contact support": "Нужна дополнительная помощь? Обратитесь в службу поддержки",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Рассылка могла быть отключена в вашей учётной записи (для вашего email адреса) по двум причинам: предыдущее электронное письмо было помечено как спам или попытка отправки приводила к постоянной ошибке (например: авто-возврату).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Не получаете письма?",
"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.": "Если после повторной подписки вы всё ещё не видите писем в своём почтовом ящике, проверьте папку со спамом. Некоторые провайдеры электронной почты сохраняют записи предыдущих жалоб на спам и продолжают помечать письма как спам. Если именно это и происходит, отметьте последнюю рассылку как «Не спам», чтобы переместить письмо обратно в основную папку входящих писем вашего почтового ящика.",
@ -126,6 +145,7 @@
"Submit feedback": "Отправить отзыв",
"Subscribe": "Подписки",
"Subscribed": "Подписан",
"Subscription plan updated successfully": "",
"Success": "Успех",
"Success! Check your email for magic link to sign-in.": "Успех! Проверьте свою электронную почту на наличие волшебной ссылки для входа в систему.",
"Success! Your account is fully activated, you now have access to all content.": "Успех! Ваша учётная запись полностью активирована, теперь у вас есть доступ ко всему содержимому.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Что-то пошло не так",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Ваш email адрес: {{memberEmail}} — если он указан неправильно, вы можете обновить его в <button>области настроек учётной записи</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Возникла проблема с отправкой отзыва. Попробуйте ещё раз немного позже.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Произошла ошибка при обработке вашего платежа. Попробуйте ещё раз.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Доступ к материалам этого сайта возможен только по приглашению. Для получения доступа свяжитесь с владельцем сайта.",
"This site is not accepting payments at the moment.": "В данный момент сайт не принимает платежи.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Чтобы завершить регистрацию, нажмите на ссылку подтверждения в электронном письме, которое мы прислали. Если письмо не пришло в течение 3 минут, проверьте папку «Спам»!",
"To continue to stay up to date, subscribe to {{publication}} below.": "Чтобы оставаться в курсе событий, подпишитесь на {{publication}} ниже.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Попробуйте бесплатно в течение {{amount}} дня(ей), затем за {{original Price}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Получите доступ ко всем рассылкам, оформив платную подписку.",
"Unsubscribe from all emails": "Отписаться от всех рассылок",
"Unsubscribed": "Отписан",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Вы успешно вошли.",
"You've successfully subscribed to": "Вы успешно подписались на",
"Your account": "Ваш аккаунт",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Ваш отзыв помогает формировать понимание, что вам интересно и что будет опубликовано в будущем.",
"Your subscription will expire on {{expiryDate}}": "Срок действия вашей подписки истекает {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Ваша подписка будет продлена {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "ගිණුම් සැකසුම්",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "නොමිලයේ ලබාදෙන අත්හදාබැලීමේ කාලය අවසන් වූ පසුව, ඔබ තෝරාගන්නා ලද tier එක අනුව එහි සාමාන්\u200dයය මිල ගණන් අය වනු ඇත. ඊට පෙර ඕනෑම අවස්ථාවක මෙය අවලංගු කිරීමට ඔබට හැකියාව ඇත.",
"Already a member?": "දැනටමත් සාමාජිකයෙක්ද?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "එම උත්සාහය අසාර්ථක විය. තව ටික වේලාවකින් නැවත උත්සාහ කරන්න, මෙම ගැටළුව තවදුරටත් පවතින්නේ නම්, <a>සහායක අංශය සම්බන්ධ කරගන්න</a>.",
"Back": "ආපසු",
"Back to Log in": "නැවත log in වීම සඳහා",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Spam සහ promotions folders පරීක්ෂා කරන්න",
"Check with your mail provider": "ඔබගේ email සේවා සපයන්නා සමඟින් පරීක්ෂා කර බලන්න",
"Check your inbox to verify email update": "",
"Choose": "තෝරන්න",
"Choose a different plan": "වෙනත් plan එකක් තෝරන්න",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "සහායක අංශය සම්බන්ධ කරගන්න",
"Continue": "ඉදිරියට යන්න",
"Continue subscription": "Subscription එක පවත්වාගෙන යන්න",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Sign in වීමට නොහැකි විය. Login link එක කල් ඉකුත් වී ඇත.",
"Could not update email! Invalid link.": "Email ලිපිනය update කළ නොහැකි විය. වැරදි link එකකි.",
"Create a new contact": "අලුත් contact එකක් නිර්මාණය කරන්න",
@ -52,6 +56,7 @@
"Edit": "Edit කරන්න",
"Email": "Email",
"Email newsletter": "Email newsletter",
"Email newsletter settings updated": "",
"Email preferences": "Email preferences",
"Emails": "ඊමේල්",
"Emails disabled": "Emails නවත්වා ඇත",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Error එකක්",
"Expires {{expiryDate}}": "{{expiryDate}} දින අවසන් වෙයි",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "හැමදාටම",
"Free Trial Ends {{trialEnd}}": "අත්හදාබැලීමේ කාලසීමාව {{trialEnd}} දින අවසන් වෙයි",
"Get help": "සහාය ලබාගන්න",
@ -91,6 +108,8 @@
"Name": "නම",
"Need more help? Contact support": "තවදුරටත් සහාය අවශ්\u200dයයි ද? සහායක සේවාව සම්බන්ධ කරගන්න",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "ඔබගේ ගිණුමෙහි newsletters අක්\u200dරීය වීමට හේතු දෙකක් දැක්විය හැකිය: පෙර යවන ලද email එකක් spam ලෙස සටහන් කිරීම, හෝ email එකක් යැවීමට උත්සාහ කිරීමේදී permenent faulure (bounce) එකක් වීමක් වාර්ථා වීම.",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Emails ලැබෙන්නේ නැද්ද?",
"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' ලෙස සළකුනු කරන්න.",
@ -126,6 +145,7 @@
"Submit feedback": "ප්\u200dරතිචාරය යොමුකරන්න",
"Subscribe": "Subscribe කරන්න",
"Subscribed": "Subscribe කරන ලදී",
"Subscription plan updated successfully": "",
"Success": "සාර්ථකයි",
"Success! Check your email for magic link to sign-in.": "සාර්ථකයි! sign-in වීමේ magic link එක සඳහා ඔබ\u200dෙගේ emails පරීක්ෂා කරන්න.",
"Success! Your account is fully activated, you now have access to all content.": "සාර්ථකයි! ඔබගේ ගිණුම සම්පූර්ණයෙන්ම activate කර ඇති අතර, දැන් ඔබට සියළුම content සඳහා access ලැබී තිබෙනවා.",
@ -138,12 +158,22 @@
"That didn't go to plan": "එය සැලැස්මට අනුකූලව සිදු වුණේ නෑ",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "ඔබගේ email ලිපිනය ලෙස අප සතුව තිබෙන්නේ {{memberEmail}} යන email ලිපිනයයි - මෙය වැරදියි නම්, ඔබගේ <button>account settings area එක</button> හරහා update කළ හැක.",
"There was a problem submitting your feedback. Please try again a little later.": "ඔබගේ feedback එක යොමු කිරීමේදී ගැටළුවක් ඇති විය. තව ටික වේලාවකින් නැවත උත්සාහ කරන්න.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "මෙම වෙබ් අඩවිය ආරාධිතයන් සඳහා පමණි, ප්\u200dරවේශ වීම සඳහා හිමිකරු අමතන්න.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Signup වීම සම්පූර්ණ කිරීම සඳහා, ඔබ\u200dගේ inbox එකට ලැබුණු email එකෙහි ඇති confirmation link එක click කරන්න. එය මිනිත්තු 3ක් ඇතුලත නොපැමිණියේ නම්, spam folder එක පරීක්ෂා කරන්න!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "දින {{amount}}ක් නොමිලයේ භාවිතා කරන්න, ඉන් පසුව {{originalPrice}}ක් පමණි.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Paid subscriber කෙනෙකු වීම හරහා සියළුම newsletters වලට access ලබාගන්න.",
"Unsubscribe from all emails": "සියළුම email වලින් unsubscribe කරන්න",
"Unsubscribed": "Unsubscribe කරන ලදී",
@ -170,6 +200,7 @@
"You've successfully signed in.": "ඔබ සාර්ථකව sign in වන ලදී.",
"You've successfully subscribed to": "ඔබ සාර්ථකව subscribe ක\u200bර ඇත",
"Your account": "ඔබගේ ගිණුම",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "ඔබගේ අදහස් ඉදිරියේදී සිදු කරන පළකිරීම් වැඩිදියුණු කිරීමට උදව් කරනු ඇත.",
"Your subscription will expire on {{expiryDate}}": "ඔබගේ subscription එක {{expiryDate}} වැනි දින කල් ඉකුත් වනු ඇත",
"Your subscription will renew on {{renewalDate}}": "ඔබගේ subscription එක {{expiryDate}} වැනි දින renew වනු ඇත",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Nastavenia účtu",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Po uplynutí skúšobného obdobia vám bute účtovaná bežná cena pre vybrunú úrovenň. Vždy to môžte pred tým zrušiť",
"Already a member?": "Ste už členom?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Nastala neočakávaná chyba. Prosím skúste neskôr alebo <a>kontaktujte podporu</a> ak problém pretrváva.",
"Back": "Späť",
"Back to Log in": "Späť na prihlásenie",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Skontrolujte spam",
"Check with your mail provider": "Overte si to s vašim e-mailovým poskytovateľom.",
"Check your inbox to verify email update": "",
"Choose": "Vybrať",
"Choose a different plan": "Vybrať iný plán",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kontaktovať podporu",
"Continue": "Pokračovať",
"Continue subscription": "Pokračovať s odberom",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Prihlásenie sa nepodarilo. Odkaz na prihlásenie vyexpiroval.",
"Could not update email! Invalid link.": "Zmena e-mailu sa nepodarila. Neplatný odkaz.",
"Create a new contact": "Vytvoriť nový kontakt",
@ -52,6 +56,7 @@
"Edit": "Upraviť",
"Email": "",
"Email newsletter": "",
"Email newsletter settings updated": "",
"Email preferences": "E-mailové nastavnia",
"Emails": "E-maily",
"Emails disabled": "E-maily vypnuté",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Chyba",
"Expires {{expiryDate}}": "Expiruje {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Navždy",
"Free Trial Ends {{trialEnd}}": "Skúšobná verzia Vyprší {{trialEnd}}",
"Get help": "Získať pomoc",
@ -91,6 +108,8 @@
"Name": "Meno",
"Need more help? Contact support": "Potrebujete pomoc? Kontaktujte podporu",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Nedostávate e-maily?",
"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.": "",
@ -126,6 +145,7 @@
"Submit feedback": "Odoslať spätnú väzbu",
"Subscribe": "Odoberať",
"Subscribed": "Prihásený k odberu",
"Subscription plan updated successfully": "",
"Success": "Blahoželáme",
"Success! Check your email for magic link to sign-in.": "Super! Skontrolujte Vašu emailovú schránku, kde nájdete odkaz na prihlásenie.",
"Success! Your account is fully activated, you now have access to all content.": "Super! Váš účet je aktivovaný. Máte prístup ku všetkému obsahu.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Niečo sa nepodarilo",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "Nepodarilo sa odoslať váš feedback. Prosím skúste to neskôr.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Táto stránka je iba pre pozvaných úžívateľov, kontaktujte vlastníka stránky.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Vyskúšajte zadarmo na {{amount}} dní, potom {{originalPrice}}",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "",
"Unsubscribe from all emails": "Odhlásený z odberu všetkých email-ov",
"Unsubscribed": "Odhlásený z odberu",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Úspešne ste sa prihlásili",
"You've successfully subscribed to": "Úspešne ste sa prihlásili na odber:",
"Your account": "Váš účet",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Vaše pripomienky pomáhajú spoluvytvárať obsah webu.",
"Your subscription will expire on {{expiryDate}}": "Váše predplatné expiruje {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Váše predplatné bude obnovené {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Nastavitve računa",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Po koncu brezplačnega preizkusa se vam zaračuna redna cena za izbrano stopnjo. Pred tem jo lahko vedno prekličete.",
"Already a member?": "Ste že član?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "",
"Back": "Nazaj",
"Back to Log in": "Nazaj na prijavo",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "",
"Check with your mail provider": "",
"Check your inbox to verify email update": "",
"Choose": "",
"Choose a different plan": "Izberite drug načrt",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "",
"Continue": "Nadaljuj",
"Continue subscription": "",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "",
"Could not update email! Invalid link.": "",
"Create a new contact": "",
@ -52,6 +56,7 @@
"Edit": "",
"Email": "E-pošta",
"Email newsletter": "",
"Email newsletter settings updated": "",
"Email preferences": "Nastavitve e-pošte",
"Emails": "E-pošta",
"Emails disabled": "E-pošta onemogočena",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "",
"Expires {{expiryDate}}": "",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "",
"Free Trial Ends {{trialEnd}}": "",
"Get help": "Pomoč",
@ -91,6 +108,8 @@
"Name": "Ime",
"Need more help? Contact support": "",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Ne prejemate e-poštnih sporočil?",
"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.": "",
@ -126,6 +145,7 @@
"Submit feedback": "Pošljite povratno informacijo",
"Subscribe": "",
"Subscribed": "",
"Subscription plan updated successfully": "",
"Success": "",
"Success! Check your email for magic link to sign-in.": "",
"Success! Your account is fully activated, you now have access to all content.": "",
@ -138,12 +158,22 @@
"That didn't go to plan": "To ni šlo po načrtu",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "To spletno mesto je dostopno samo s povabilom, obrnite se na lastnika.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Dokončatje prijavo s klikom na povezavo, ki ste jo dobili na vaš e-poštni naslov. Če je ne prejmete v treh minutah, preverite mapo za neželeno pošto!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "",
"Unsubscribe from all emails": "Odjava od vseh e-poštnih sporočil",
"Unsubscribed": "",
@ -170,6 +200,7 @@
"You've successfully signed in.": "",
"You've successfully subscribed to": "",
"Your account": "Vaš račun",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Vaš prispevek se nam pomaga odločati, kaj objavimo.",
"Your subscription will expire on {{expiryDate}}": "",
"Your subscription will renew on {{renewalDate}}": "",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Cilësimet e llogarisë",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Pasi të përfundojë një provë falas, ju do të tarifoheni me çmimin e rregullt për nivelin që keni zgjedhur. Mund të anuloni gjithmonë përpara kësaj.",
"Already a member?": "Tashme nje antar?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Ndodhi një gabim i papritur. Provo sërish ose <a>kontakto mbështetjen</a> nëse gabimi vazhdon.",
"Back": "Kthehu",
"Back to Log in": "Kthehu tek identifikimi",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Kontrolloni dosjet e postës së padëshiruar dhe promovimeve ",
"Check with your mail provider": "Kontrolloni me ofruesin tuaj të postës",
"Check your inbox to verify email update": "",
"Choose": "Zgjidh",
"Choose a different plan": "Zgjidh nje plan ndryshe",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kontakto suportin",
"Continue": "Vazhdoni",
"Continue subscription": "Vazhdoni abonimin",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "",
"Could not update email! Invalid link.": "",
"Create a new contact": "Shto nje kontakt te ri",
@ -52,6 +56,7 @@
"Edit": "Modifiko",
"Email": "Email",
"Email newsletter": "Buletini i emailit",
"Email newsletter settings updated": "",
"Email preferences": "Preferenat e emailit",
"Emails": "Emailet",
"Emails disabled": "Emailet e çaktivizuara",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Gabim",
"Expires {{expiryDate}}": "Mbaron",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Pergjithmone",
"Free Trial Ends {{trialEnd}}": "Prova falas mbaron {{trialEnd}}",
"Get help": "Merr ndihme",
@ -91,6 +108,8 @@
"Name": "Emri",
"Need more help? Contact support": "Te duhet me shume ndihme? Kontakto suportin",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Buletinet mund të çaktivizohen në llogarinë tuaj për dy arsye: Një email i mëparshëm u shënua si i padëshiruar, ose përpjekja për të dërguar një email rezultoi në një dështim të përhershëm (kercim).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Nuk po merr emaile?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Dergo komente",
"Subscribe": "Abonohu",
"Subscribed": "Abonuar",
"Subscription plan updated successfully": "",
"Success": "Sukses",
"Success! Check your email for magic link to sign-in.": "Sukses! Kontrollo emailin tend per linkun magjik te indentifikimit.",
"Success! Your account is fully activated, you now have access to all content.": "Sukses! Llogaria jote eshte plotesisht e aktivizuar, tashme ju keni akses ne te githe kontentin",
@ -138,12 +158,22 @@
"That didn't go to plan": "Kjo nuk shkoi sipas planit",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "Pati një problem me dërgimin e komenteve tuaja. Ju lutemi provoni sërish pak më vonë.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Kjo faqe eshte vetem me ftesa, kontaktoni zoteruesin per akses.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Për të përfunduar regjistrimin, klikoni lidhjen e konfirmimit në kutinë tuaj hyrëse. Nëse nuk arrin brenda 3 minutash, kontrolloni dosjen tuaj të postës elektronike!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Provo falas per {{amount}} dite, pastaj {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Zhbllokoni aksesin per te gjitha buletinet duke u bere nje abonues me pagese.",
"Unsubscribe from all emails": "Çregjistrohu nga të gjitha emailet",
"Unsubscribed": "I çabonuar",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Ju jeni identifikuar me sukses.",
"You've successfully subscribed to": "",
"Your account": "Llogaria juar",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Të dhënat tuaja ndihmojnë në formimin e asaj që publikohet.",
"Your subscription will expire on {{expiryDate}}": "Abonimi juaj do te skadoje ne {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Abonimi juaj to te rinovohet ne {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+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 details updated successfully": "",
"Account settings": "Подешавања налога",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Након што истекне бесплатан пробни период, наплатиће вам се редовна цена за ниво који сте одабрали. Увек можете отказати пре тог рока.",
"Already a member?": "Већ сте члан?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Дошло је до неочекиване грешке. Покушајте поново или <a>контактирајте подршку</a> ако грешка потраје.",
"Back": "Назад",
"Back to Log in": "Назад на пријаву",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Проверите фасцикле за нежељену пошту и промоције",
"Check with your mail provider": "Проверите са вашим провајдером мејла",
"Check your inbox to verify email update": "",
"Choose": "Изаберите",
"Choose a different plan": "Изаберите другачији план",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Контактирајте подршку",
"Continue": "Наставите",
"Continue subscription": "Наставите претплату",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Није могуће пријавити се. Линк за пријаву је истекао.",
"Could not update email! Invalid link.": "Није могуће ажурирати мејл! Неважећи линк.",
"Create a new contact": "Направите нови контакт",
@ -52,6 +56,7 @@
"Edit": "Уреди",
"Email": "Мејл",
"Email newsletter": "Мејл билтен",
"Email newsletter settings updated": "",
"Email preferences": "Преференције за мејл",
"Emails": "Мејлови",
"Emails disabled": "Мејлови онемогућени",
@ -60,6 +65,18 @@
"Enter your name": "Унесите ваше име",
"Error": "Грешка",
"Expires {{expiryDate}}": "Истиче {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Заувек",
"Free Trial Ends {{trialEnd}}": "Бесплатан пробни период Завршава се {{trialEnd}}",
"Get help": "Затражите помоћ",
@ -91,6 +108,8 @@
"Name": "Име",
"Need more help? Contact support": "Треба вам више помоћи? Контактирајте подршку",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Билтени могу бити онемогућени на вашем налогу из два разлога: претходни мејл је означен као нежељена пошта или је покушај слања мејла резултирао трајним неуспехом (одбијен мејл).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Не примате мејлове?",
"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.": "Када се поново претплатите, ако и даље не видите мејлове у свом сандучету, проверите фасциклу за нежељену пошту. Неки провајдери сандучића чувају записе о претходним жалбама на нежељену пошту и наставиће да означавају мејлове. Ако се то деси, означите најновији билтен као 'Није нежељено' да га преместите назад у своје примарно сандуче.",
@ -126,6 +145,7 @@
"Submit feedback": "Пошаљите повратну информацију",
"Subscribe": "Претплатите се",
"Subscribed": "Претплаћени",
"Subscription plan updated successfully": "",
"Success": "Успех",
"Success! Check your email for magic link to sign-in.": "Успех! Проверите свој мејл за магични линк за пријаву.",
"Success! Your account is fully activated, you now have access to all content.": "Успех! Ваш налог је потпуно активиран, сада имате приступ свим садржајима.",
@ -138,12 +158,22 @@
"That didn't go to plan": "То није ишло по плану",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Мејл адреса коју имамо за вас је {{memberEmail}} — ако то није тачно, можете је ажурирати у <button>поставке налога</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Дошло је до проблема при слању ваше повратне информације. Молимо вас покушајте касније.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Дошло је до грешке при обради ваше уплате. Молимо вас покушајте поново.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Овај сајт је само на позив, контактирајте власника ради приступа.",
"This site is not accepting payments at the moment.": "Овај сајт тренутно не прихвата уплате.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Да бисте завршили пријаву, кликните на линк за потврду у свом сандучету. Ако не стигне у року од 3 минута, проверите фасциклу за нежељену пошту!",
"To continue to stay up to date, subscribe to {{publication}} below.": "Да бисте остали у току, претплатите се на {{publication}} у наставку.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Пробајте бесплатно за {{amount}} дана, након тога {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Откључајте приступ свим билтенима тако што ћете постати плаћени претплатник.",
"Unsubscribe from all emails": "Одјавите се са свих мејлова",
"Unsubscribed": "Одјављени",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Успешно сте се пријавили.",
"You've successfully subscribed to": "Успешно сте се претплатили на",
"Your account": "Ваш налог",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Ваше учешће помаже у обликовању онога што ће бити објављено.",
"Your subscription will expire on {{expiryDate}}": "Ваша претплата ће истећи {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Ваша претплата ће бити обновљена {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Podešavanja naloga",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Nakon što besplatni probni period istekne, izvršiće se naplata po regularnoj ceni za nivo koji ste izabrali. Uvek možete da otkažete pretplatu pre toga.",
"Already a member?": "Već ste član?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Desila se neočekivana greška. Molimo probajte opet ili <a>kontaktirajte podršku</a> ako greška i dalje postoji.",
"Back": "Nazad",
"Back to Log in": "Nazad na prijavu",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Proverite foldere za nepoželjne poruke i promocije",
"Check with your mail provider": "Proverite sa svojim pružaocem imejl usluga",
"Check your inbox to verify email update": "",
"Choose": "Izaberi",
"Choose a different plan": "Izaberi drugi plan",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kontaktiraj podršku",
"Continue": "Nastavi",
"Continue subscription": "Nastavi pretplatu",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Prijavljivanje nije uspelo. Link za prijavljivanje je istekao.",
"Could not update email! Invalid link.": "Izmena mejla nije uspela! Neispravan link.",
"Create a new contact": "Kreiraj novi kontakt",
@ -52,6 +56,7 @@
"Edit": "Izmeni",
"Email": "Imejl",
"Email newsletter": "Imejl bilten",
"Email newsletter settings updated": "",
"Email preferences": "Imejl podešavanja",
"Emails": "Imejlovi",
"Emails disabled": "Onemogućeni imejlovi",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Greška",
"Expires {{expiryDate}}": "Ističe {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Zauvek",
"Free Trial Ends {{trialEnd}}": "Besplatni probni period Završava se {{trialEnd}}",
"Get help": "Nađite pomoć",
@ -91,6 +108,8 @@
"Name": "Ime",
"Need more help? Contact support": "Potrebna Vam je pomoć? Kontaktirajte podršku",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Ne dobijate e-poštu?",
"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.": "",
@ -126,6 +145,7 @@
"Submit feedback": "Pošalji povratne informacije",
"Subscribe": "",
"Subscribed": "",
"Subscription plan updated successfully": "",
"Success": "",
"Success! Check your email for magic link to sign-in.": "",
"Success! Your account is fully activated, you now have access to all content.": "",
@ -138,12 +158,22 @@
"That didn't go to plan": "Nešto nije kako treba",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Ovaj sajt je samo za članove, kontaktirajte vlasnika kako bi dobili pristup.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Kliknite na link da biste završili registraciju. Ukoliko ne stigne za 3 minuta proverite spam folder!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "",
"Unsubscribe from all emails": "Odjavite se sa svih email-ova",
"Unsubscribed": "",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Uspešno ste se prijavili",
"You've successfully subscribed to": "Uspešno ste se pretplatili na",
"Your account": "Vaš nalog",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Vaš doprinos pomaže u oblikovanju onoga što se objavljuje.",
"Your subscription will expire on {{expiryDate}}": "Vaša pretplata će isteći {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Vaša pretplata će biti obnovljena {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Kontoinställningar",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Efter att en gratis provperiod avslutas debiteras du det ordinarie priset för den nivå du har valt. Du kan alltid avbryta innan dess.",
"Already a member?": "Redan medlem?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Ett oväntat fel inträffade. Försök igen eller <a>kontakta administratören</a> om felet kvarstår.",
"Back": "Tillbaka",
"Back to Log in": "Tillbaka till inloggning",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "Titta i skräppostmappen",
"Check with your mail provider": "Verifirera att e-posten fungerar för ditt konto",
"Check your inbox to verify email update": "",
"Choose": "Välj",
"Choose a different plan": "Välj en annan prenumeration",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "Kontakta supporten",
"Continue": "Fortsätt",
"Continue subscription": "Förläng prenumeration",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Kunde inte logga in. Inloggningslänken har slutat gälla.",
"Could not update email! Invalid link.": "Kunde inte uppdatera e-postadressen. Länken fungerande inte.",
"Create a new contact": "Skapa en ny kontakt",
@ -52,6 +56,7 @@
"Edit": "Editera",
"Email": "E-post",
"Email newsletter": "Nyhetsbrev via e-post",
"Email newsletter settings updated": "",
"Email preferences": "E-postinställningar",
"Emails": "E-postmeddelanden",
"Emails disabled": "E-post inaktiverad",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "Fel",
"Expires {{expiryDate}}": "Utgår {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Tillsvidare",
"Free Trial Ends {{trialEnd}}": "Gratispepriod slutar {{trialEnd}}",
"Get help": "Få hjälp",
@ -91,6 +108,8 @@
"Name": "Namn",
"Need more help? Contact support": "Behöver du mer hjälp? Kontakta administratören.",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Nyhetsbrev kan inaktiveras på ditt konto av två anledningar: ett tidigare utskick markerades som spam, eller ett försök att skicka ett e-postmeddelande resulterade i ett permanent fel.",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Får du inga e-postmeddelanden?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Skicka feedback",
"Subscribe": "Anmäl dig",
"Subscribed": "Anmäld",
"Subscription plan updated successfully": "",
"Success": "Det gick bra",
"Success! Check your email for magic link to sign-in.": "Det gick bra. Titta i din e-post efter ett meddelande från oss med en inloggningslänk.",
"Success! Your account is fully activated, you now have access to all content.": "Det gick bra! Ditt konto är uppdaterat och du har tillgång till allt material.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Det där fungerade inte som tänkt",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "E-postadressen vi har för dig är {{memberEmail}} — om det inte stämmer kan du uppdatera den i <button>kontoinställningar</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Det fungerande inte att skicka in din feedbak. Försök igen lite senare.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Den här sidan är endast för inbjudna, kontakta ägaren för åtkomst.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "För att slutföra registreringen, klicka på bekräftelselänken i din inkorg. Om den inte kommer fram inom 3 minuter, kolla din skräppostmapp!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Prova gratis i {{amount}} dagar, sen betalar du {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Få tillgång till alla nyhetsbrev genom att bli betalande prenumerant",
"Unsubscribe from all emails": "Avregistrera från alla e-postutskick",
"Unsubscribed": "Avregistrerad",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Du är nu inloggad.",
"You've successfully subscribed to": "Du är nu anmäld till",
"Your account": "Ditt konto",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Din åsikt hjälper till att forma vad som publiceras.",
"Your subscription will expire on {{expiryDate}}": "Din prenumeration avslutas {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Din prenumeration förnyas {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "ตั้งค่าบัญชี",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "หลังจากช่วงทดลองใช้ฟรีสิ้นสุดลง, คุณจะถูกเรียกเก็บเงินตามราคาปกติตามระดับที่คุณเลือกไว้ คุณสามารถยกเลิกก่อนเวลาดังกล่าวได้เสมอ",
"Already a member?": "เป็นสมาชิกอยู่แล้ว?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "เกิดข้อผิดพลาดที่ไม่คาดคิด โปรดลองอีกครั้งหรือ <a>ติดต่อฝ่ายสนับสนุน</a> หากข้อผิดพลาดยังคงอยู่",
"Back": "ย้อนกลับ",
"Back to Log in": "กลับไปยังเข้าสู่ระบบ",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "ตรวจสอบโฟลเดอร์สแปมและโปรโมชัน",
"Check with your mail provider": "ตรวจสอบกับผู้ให้บริการอีเมลของคุณ",
"Check your inbox to verify email update": "",
"Choose": "เลือก",
"Choose a different plan": "เลือกแผนอื่น",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "ติดต่อฝ่ายสนับสนุน",
"Continue": "ดำเนินการต่อ",
"Continue subscription": "รับสมัครข้อมูลต่อ",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "ไม่สามารถลงชื่อเข้าใช้ได้ ลิงก์เข้าสู่ระบบหมดอายุ",
"Could not update email! Invalid link.": "ไม่สามารถอัปเดตอีเมลได้! ลิงก์ไม่ถูกต้อง",
"Create a new contact": "สร้างผู้ติดต่อใหม่",
@ -52,6 +56,7 @@
"Edit": "แก้ไข",
"Email": "อีเมล",
"Email newsletter": "จดหมายข่าวทางอีเมล",
"Email newsletter settings updated": "",
"Email preferences": "การตั้งค่าอีเมล",
"Emails": "อีเมล",
"Emails disabled": "อีเมลถูกปิดใช้งาน",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "ข้อผิดพลาด",
"Expires {{expiryDate}}": "หมดอายุ {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "ตลอดไป",
"Free Trial Ends {{trialEnd}}": "ทดลองใช้ฟรี - สิ้นสุด {{trialEnd}}",
"Get help": "ต้องการความช่วยเหลือ",
@ -91,6 +108,8 @@
"Name": "ชื่อ",
"Need more help? Contact support": "ต้องการความช่วยเหลือเพิ่มเติม? ติดต่อฝ่ายสนับสนุน",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "จดหมายข่าวสามารถปิดการใช้งานในบัญชีของคุณด้วยเหตุผลสองประการ: อีเมลก่อนหน้านี้ถูกทำเครื่องหมายว่าเป็นสแปม หรือการพยายามที่ส่งอีเมล ส่งผลให้เกิดความล้มเหลวถาวร (อีเมลตีกลับ)",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "ไม่ได้รับอีเมล?",
"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.": "เมื่อรับสมัครข้อมูลใหม่แล้ว, หากคุณยังคงไม่เห็นอีเมลในกล่องจดหมายของคุณ ให้ตรวจสอบโฟลเดอร์สแปมของคุณ. ผู้ให้บริการกล่องจดหมายบางราย เก็บบันทึกการร้องเรียนเกี่ยวกับสแปมก่อนหน้านี้ และจะทำการตั้งค่าสถานะอีเมลต่อไป หากเกิดเหตุการณ์เช่นนี้ ให้ทำเครื่องหมายจดหมายข่าวล่าสุดว่า 'ไม่ใช่สแปม' เพื่อย้ายกลับไปยังกล่องจดหมายหลักของคุณ",
@ -126,6 +145,7 @@
"Submit feedback": "ส่งข้อเสนอแนะ",
"Subscribe": "รับสมัครข้อมูล",
"Subscribed": "รับสมัครข้อมูลแล้ว",
"Subscription plan updated successfully": "",
"Success": "สำเร็จ",
"Success! Check your email for magic link to sign-in.": "สำเร็จ! ตรวจสอบอีเมลของคุณเพื่อดูลิงก์วิเศษสำหรับลงชื่อเข้าใช้",
"Success! Your account is fully activated, you now have access to all content.": "สำเร็จ! บัญชีของคุณเปิดใช้งานโดยสมบูรณ์แล้ว ตอนนี้คุณสามารถเข้าถึงเนื้อหาทั้งหมดได้แล้ว",
@ -138,12 +158,22 @@
"That didn't go to plan": "บางอย่างไม่เป็นไปตามแผน",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "ที่อยู่อีเมลของคุณที่เรามีคือ {{memberEmail}} — หากไม่ถูกต้อง คุณสามารถอัปเดตได้ใน<button>พื้นที่การตั้งค่าบัญชี</button>",
"There was a problem submitting your feedback. Please try again a little later.": "เกิดปัญหาในการส่งความคิดเห็นของคุณ โปรดลองอีกครั้งในภายหลัง",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "เว็บไซต์นี้สำหรับผู้ได้รับเชิญเท่านั้น โปรดติดต่อเจ้าของเพื่อเข้าถึง",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "เพื่อทำการลงทะเบียนให้เสร็จสิ้น คลิกลิงก์ยืนยันในกล่องจดหมายของคุณ หากไม่ได้รับภายใน 3 นาที ให้ตรวจสอบโฟลเดอร์สแปมของคุณ!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "ทดลองใช้ฟรี {{amount}} วัน จากนั้นจ่ายเป็น {{ราคาเดิม}}",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "ปลดล็อกการเข้าถึงจดหมายข่าวทั้งหมดโดยสมัครเป็นสมาชิกแบบชำระเงิน",
"Unsubscribe from all emails": "ยกเลิกการรับสมัครข้อมูลทางอีเมลทั้งหมด",
"Unsubscribed": "ยกเลิกการรับสมัครข้อมูลทางอีเมลแล้ว",
@ -170,6 +200,7 @@
"You've successfully signed in.": "คุณลงชื่อเข้าใช้สำเร็จแล้ว",
"You've successfully subscribed to": "คุณรับสมัครข้อมูลสำเร็จแล้ว",
"Your account": "บัญชีของคุณ",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "ข้อมูลของคุณ จะช่วยกำหนดสิ่งที่จะได้รับการเผยแพร่ในอนาคต",
"Your subscription will expire on {{expiryDate}}": "การรับสมัครข้อมูลของคุณจะหมดอายุในวันที่ {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "การรับสมัครข้อมูลของคุณจะต่ออายุในวันที่ {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+90 (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 details updated successfully": "",
"Account settings": "Hesap ayarları",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Ücretsiz deneme süresi bittikten sonra seçtiğin kategorinin normal fiyatından ücretlendirileceksin. O zamana kadar her an iptal edebilirsin.",
"Already a member?": "Zaten üye misin?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Beklenmeyen bir hata oluştu. Lütfen tekrar deneyin veya hata devam ederse <a>destek ile iletişime geçin</a>.",
"Back": "Geri dön",
"Back to Log in": "Giriş ekranına geri dön",
@ -28,6 +30,7 @@
"Change plan": "Plan değiştir",
"Check spam & promotions folders": "Spam ve promosyonlar klasörlerini kontrol edin",
"Check with your mail provider": "Posta sağlayıcınızla kontrol edin",
"Check your inbox to verify email update": "",
"Choose": "Seç",
"Choose a different plan": "Farklı bir plan seç",
"Choose a plan": "Bir plan seçin",
@ -42,6 +45,7 @@
"Contact support": "Desteğe başvurun",
"Continue": "Devam et",
"Continue subscription": "Aboneliğe devam et",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Oturum açılamadı. Oturum açma bağlantısının süresi doldu.",
"Could not update email! Invalid link.": "E-posta güncellenemedi! Geçersiz link.",
"Create a new contact": "Yeni bir kullanıcı oluştur",
@ -52,6 +56,7 @@
"Edit": "Düzenle",
"Email": "E-posta",
"Email newsletter": "E-posta bülteni",
"Email newsletter settings updated": "",
"Email preferences": "E-posta tercihleri",
"Emails": "E-postalar",
"Emails disabled": "E-postalar devre dışı",
@ -60,6 +65,18 @@
"Enter your name": "Adınızı girin",
"Error": "Hata",
"Expires {{expiryDate}}": "{{expiryDate}} tarihinde sona eriyor",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Süresiz",
"Free Trial Ends {{trialEnd}}": "Ücretsiz Deneme Bitiş Tarihi {{trialEnd}}",
"Get help": "Yardım al",
@ -91,6 +108,8 @@
"Name": "İsim",
"Need more help? Contact support": "Daha fazla yardıma mı ihtiyacınız var? Desteğe başvurun",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Bültenler, hesabınızda iki nedenden dolayı devre dışı bırakılabilir: Önceki bir e-posta istenmeyen posta olarak işaretlendi veya bir e-posta gönderilmeye çalışıldığında kalıcı bir başarısızlıkla (geri dönme) sonuçlandı.",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "E-posta almıyor musun?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Geri bildirim gönder",
"Subscribe": "Abone",
"Subscribed": "Abone olundu",
"Subscription plan updated successfully": "",
"Success": "Başarılı",
"Success! Check your email for magic link to sign-in.": "Başarılı! Oturum açmak için sihirli bağlantı için e-postanızı kontrol edin.",
"Success! Your account is fully activated, you now have access to all content.": "Başarılı! Hesabınız tamamen etkinleştirildi, artık tüm içeriğe erişebilirsiniz.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Bir şeyler ters gitti",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Sizin için kayıtlı olan e-posta adresi {{memberEmail}} — eğer bu doğru değilse, bunu <button>hesap ayarları bölümünde</button> güncelleyebilirsiniz.",
"There was a problem submitting your feedback. Please try again a little later.": "Geri bildiriminiz gönderilirken bir sorun oluştu. Lütfen biraz sonra tekrar deneyin.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Ödemeniz işlenirken bir hata oluştu. Lütfen tekrar deneyiniz.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Bu site sadece davetiyesi olanlar içindir, erişim için site sahibiyle iletişime geç.",
"This site is not accepting payments at the moment.": "Bu site şu anda ödeme kabul etmemektedir.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Kaydınızı tamamlamak için gelen kutunuzdaki onay bağlantısına tıklayın. Eğer 3 dakika içinde gelmezse, spam klasörünüzü kontrol edin!",
"To continue to stay up to date, subscribe to {{publication}} below.": "Güncel kalmaya devam etmek için, aşağıdaki {{publication}} abone olun.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "{{amount}} gün ücretsiz deneyin, ardından {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Tüm bültenlere erişimi açmak için ücretli bir abone olun.",
"Unsubscribe from all emails": "Tüm e-postaların aboneliğinden çık",
"Unsubscribed": "Abonelikten çıkıldı",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Başarıyla oturum açtınız.",
"You've successfully subscribed to": "Başarıyla abone oldunuz",
"Your account": "Hesabın",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Yorumun yayımlanan içeriklerin şekillenmesine yardımcı olur.",
"Your subscription will expire on {{expiryDate}}": "Aboneliğiniz {{expiryDate}} tarihinde sona erecek",
"Your subscription will renew on {{renewalDate}}": "Aboneliğiniz {{renewalDate}} tarihinde yenilenecek",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+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 details updated successfully": "",
"Account settings": "Налаштування облікового запису",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Після закінчення безплатного періоду, з тебе буде стягнена вартість за обраний тариф. Ти завжди можеш скасувати послугу до цього часу.",
"Already a member?": "Вже є учасником?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Сталася неочікувана помилка. Спробуйте ще раз або <a>зв’яжіться зі службою підтримки</a>, якщо помилка не зникне.",
"Back": "Назад",
"Back to Log in": "Повернутись до входу",
@ -28,6 +30,7 @@
"Change plan": "Змінити план",
"Check spam & promotions folders": "Перевірте папки зі спамом і рекламними акціями",
"Check with your mail provider": "Зверніться до свого постачальника послуг електронної пошти",
"Check your inbox to verify email update": "",
"Choose": "Оберіть",
"Choose a different plan": "Оберіть інший план",
"Choose a plan": "Оберіть план",
@ -42,6 +45,7 @@
"Contact support": "Звернутись до служби підтримки",
"Continue": "Продовжити",
"Continue subscription": "Продовжити підписку",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Неможливо увійти. Термін дії посилання для входу закінчився.",
"Could not update email! Invalid link.": "Неможливо оновити електронну адресу! Недійсне посилання.",
"Create a new contact": "Створити новий контакт",
@ -52,6 +56,7 @@
"Edit": "Редагувати",
"Email": "Електронна пошта",
"Email newsletter": "Електронна розсилка",
"Email newsletter settings updated": "",
"Email preferences": "Налаштування електронної пошти",
"Emails": "Електронні листи",
"Emails disabled": "Електронна пошта вимкнена",
@ -60,6 +65,18 @@
"Enter your name": "Введіть імʼя",
"Error": "Помилка",
"Expires {{expiryDate}}": "Термін дії закінчується {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Назавжди",
"Free Trial Ends {{trialEnd}}": "Безкоштовна пробна версія закінчується {{trialEnd}}",
"Get help": "Отримати допомогу",
@ -91,6 +108,8 @@
"Name": "Ім'я",
"Need more help? Contact support": "Потрібна допомога? Зверніться до служби підтримки",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Розсилки можуть бути вимкнені у вашому обліковому записі з двох причин: попередній електронний лист було позначено як спам або спроба надіслати електронний лист призвела до збою (чи відмови).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Не приходять листи?",
"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.": "Якщо після повторної підписки ви все ще не бачите електронних листів у папці \"Вхідні\", перевірте папку зі спамом. Деякі постачальники вхідних повідомлень реєструють попередні скарги на спам і продовжуватимуть позначати електронні листи. Якщо це станеться, позначте устанню розсилку як \"Не спам\", щоб повернути його до основної папки \"Вхідні\".",
@ -126,6 +145,7 @@
"Submit feedback": "Надіслати відгук",
"Subscribe": "Підписатися",
"Subscribed": "Підписаний",
"Subscription plan updated successfully": "",
"Success": "Успіх",
"Success! Check your email for magic link to sign-in.": "Успіх! Перевірте свою електронну пошту на наявність посилання для входу.",
"Success! Your account is fully activated, you now have access to all content.": "Успіх! Ваш обліковий запис повністю активовано, тепер ви маєте доступ до всього вмісту.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Щось пішло не так",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Адреса електронної пошти, яку є внас — {{memberEmail}} — якщо вона не вірна, ви можете оновити її в <button>налаштуваннях облікового запису</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Під час надсилання відгуку виникла проблема. Спробуйте ще раз трохи пізніше.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Під час обробки вашого платежу сталася помилка. Спробуйте ще раз.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Цей сайт доступний тільки за запрошенням, звернись до власника сайта для доступу.",
"This site is not accepting payments at the moment.": "Цей сайт на даний момент не приймає платежі.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Щоб завершити реєстрацію, натисни посилання в своїй електронній пошті для підтвердження. Якщо електронний лист не прийде протягом 3 хвилин, перевір папку спам!",
"To continue to stay up to date, subscribe to {{publication}} below.": "Щоб і надалі бути в курсі подій, підпишіться на {{publication}}.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Спробуйте безкоштовно протягом {{amount}} днів, надалі за {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Розблокуйте доступ до всіх розсилок, ставши платним підписником.",
"Unsubscribe from all emails": "Відписатись від усіх листів",
"Unsubscribed": "Скасував підписку",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Ви успішно увійшли.",
"You've successfully subscribed to": "Ви успішно підписалися на",
"Your account": "Ваш обліковий запис",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Ваш відгук допомагає обирати що публікувати далі.",
"Your subscription will expire on {{expiryDate}}": "Термін дії вашої підписки закінчується {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Ваша підписка буде продовжена {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "Hisob sozlamalari",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Bepul sinov muddati tugagandan so'ng, siz tanlagan daraja uchun odatdagi narxdan undiriladi. Undan oldin istalgan vaqtda bekor qilishingiz mumkin.",
"Already a member?": "Allaqachon a'zomisiz?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "",
"Back": "Orqaga",
"Back to Log in": "Kirish sahifasiga qaytish",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "",
"Check with your mail provider": "",
"Check your inbox to verify email update": "",
"Choose": "",
"Choose a different plan": "Boshqa rejani tanlang",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "",
"Continue": "Davom etmoq",
"Continue subscription": "",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "",
"Could not update email! Invalid link.": "",
"Create a new contact": "",
@ -52,6 +56,7 @@
"Edit": "",
"Email": "Email",
"Email newsletter": "",
"Email newsletter settings updated": "",
"Email preferences": "Email sozlamalari",
"Emails": "Elektron xatlar",
"Emails disabled": "Elektron pochta xabarlari ochirilgan",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "",
"Expires {{expiryDate}}": "",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "",
"Free Trial Ends {{trialEnd}}": "",
"Get help": "Yordam olmoq",
@ -91,6 +108,8 @@
"Name": "Ism",
"Need more help? Contact support": "",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Elektron xatlar olmayapsizmi?",
"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.": "",
@ -126,6 +145,7 @@
"Submit feedback": "Izoh yuboring",
"Subscribe": "",
"Subscribed": "",
"Subscription plan updated successfully": "",
"Success": "",
"Success! Check your email for magic link to sign-in.": "",
"Success! Your account is fully activated, you now have access to all content.": "",
@ -138,12 +158,22 @@
"That didn't go to plan": "Bu rejaga mos kelmadi",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "",
"There was a problem submitting your feedback. Please try again a little later.": "",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Bu saytda faqat taklif qilinadi, kirish uchun egasiga murojaat qiling.",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Royxatdan otishni yakunlash uchun pochta qutingizdagi tasdiqlash havolasini bosing. Agar u 3 daqiqada kelmasa, spam jildini tekshiring!",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "",
"Unsubscribe from all emails": "Barcha elektron pochta xabarlariga obunani bekor qiling",
"Unsubscribed": "",
@ -170,6 +200,7 @@
"You've successfully signed in.": "",
"You've successfully subscribed to": "",
"Your account": "Sizning hisobingiz",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "",
"Your subscription will expire on {{expiryDate}}": "",
"Your subscription will renew on {{renewalDate}}": "",

View file

@ -13,9 +13,11 @@
"+1 (123) 456-7890": "+84 (987) 654-321",
"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 details updated successfully": "",
"Account settings": "Cài đặt",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "Sau khi hết thời gian đọc thử miễn phí, sẽ áp dụng giá của gói theo dõi mà bạn đã chọn. Bạn có thể hủy trước khi hết thời gian đọc thử.",
"Already a member?": "Bạn đã là thành viên?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "Xảy ra lỗi chưa biết. Hãy thử lại hoặc <a>liên hệ hỗ trợ</a> nếu vẫn tiếp tục lỗi.",
"Back": "Quay về",
"Back to Log in": "Quay về đăng nhập",
@ -28,6 +30,7 @@
"Change plan": "Thay đổi gói",
"Check spam & promotions folders": "Kiểm tra hộp thư spam & quảng cáo",
"Check with your mail provider": "Yêu cầu nhà cung cấp dịch vụ email hỗ trợ",
"Check your inbox to verify email update": "",
"Choose": "Chọn",
"Choose a different plan": "Chọn gói khác",
"Choose a plan": "Chọn một gói",
@ -42,6 +45,7 @@
"Contact support": "Liên hệ hỗ trợ",
"Continue": "Tiếp tục",
"Continue subscription": "Tiếp tục theo dõi",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "Không đăng nhập được. Liên kết đăng nhập hết hạn.",
"Could not update email! Invalid link.": "Không cập nhật email được. Liên kết không hợp lệ.",
"Create a new contact": "Tạo liên hệ mới",
@ -52,6 +56,7 @@
"Edit": "Chỉnh sửa",
"Email": "Email",
"Email newsletter": "Bản tin email",
"Email newsletter settings updated": "",
"Email preferences": "Thiết lập email",
"Emails": "Emails",
"Emails disabled": "Vô hiệu hóa email",
@ -60,6 +65,18 @@
"Enter your name": "Nhập tên của bạn",
"Error": "Lỗi",
"Expires {{expiryDate}}": "Hết hạn vào {{expiryDate}}",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "Vĩnh viễn",
"Free Trial Ends {{trialEnd}}": "Dùng Thử Hết hạn vào {{trialEnd}}",
"Get help": "Trợ giúp",
@ -91,6 +108,8 @@
"Name": "Tên",
"Need more help? Contact support": "Cần giúp đỡ? Liên hệ hỗ trợ",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "Bản tin có thể bị vô hiệu hóa trên tài khoản của bạn vì hai lý do: Email trước đó đã bị đánh dấu là thư rác hoặc lỗi thất bại vĩnh viễn (thư trả lại).",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "Bạn không nhận được email?",
"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.",
@ -126,6 +145,7 @@
"Submit feedback": "Gửi phản hồi",
"Subscribe": "Theo dõi",
"Subscribed": "Đã theo dõi",
"Subscription plan updated successfully": "",
"Success": "Thành công",
"Success! Check your email for magic link to sign-in.": "Xong! Kiểm tra hộp thư để nhận liên kết đăng nhập.",
"Success! Your account is fully activated, you now have access to all content.": "Xong! Đã kích hoạt tài khoản, giờ bạn có toàn quyền truy cập nội dung.",
@ -138,12 +158,22 @@
"That didn't go to plan": "Không thực hiện được",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "Địa chỉ email của bạn là {{memberEmail}} — nếu sai, bạn có thể đổi trong <button>cài đặt tài khoản</button>.",
"There was a problem submitting your feedback. Please try again a little later.": "Có vấn đề khi gửi phản hồi. Xin thử lại sau.",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "Xảy ra lỗi khi tiến hành thanh toán. Xin thử lại sau.",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "Trang web này chỉ dành cho những người được mời, hãy liên hệ với chủ sở hữu để cấp quyền truy cập.",
"This site is not accepting payments at the moment.": "Trang web này hiện chưa chấp nhận thanh toán.",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "Để hoàn tất đăng ký, nhấn vào liên kết xác nhận trong hộp thư đến của bạn. Sau 3 phút mà không thấy, hãy kiểm tra hộp thư spam của bạn!",
"To continue to stay up to date, subscribe to {{publication}} below.": "Để tiếp tục được cập nhật, hãy đăng ký {{publication}} như bên dưới.",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "Đọc thử {{amount}} ngày, phí sau đọc thử là {{originalPrice}}.",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "Trở thành thành viên trả phí để mở khóa truy cập toàn bộ bản tin.",
"Unsubscribe from all emails": "Hủy theo dõi tất cả email",
"Unsubscribed": "Đã hủy theo dõi",
@ -170,6 +200,7 @@
"You've successfully signed in.": "Bạn đã đăng nhập.",
"You've successfully subscribed to": "Bạn đã hoàn tất đăng ký",
"Your account": "Tài khoản của bạn",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "Thông tin của bạn giúp định hình nội dung được xuất bản.",
"Your subscription will expire on {{expiryDate}}": "Gói của bạn sẽ hết hạn vào {{expiryDate}}",
"Your subscription will renew on {{renewalDate}}": "Gói của bạn sẽ tự động gia hạn vào {{renewalDate}}",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "帳號設定",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "免費試用結束後,您將支付所選方案的定價金額。在此之前,您可以隨時取消。",
"Already a member?": "已經是會員了?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "發生了意外錯誤,請再試一次。如果錯誤持續出現,請<a>聯繫客服</a>。",
"Back": "返回上一頁",
"Back to Log in": "返回登入畫面",
@ -28,6 +30,7 @@
"Change plan": "",
"Check spam & promotions folders": "檢查垃圾郵件或促銷郵件",
"Check with your mail provider": "請向您的電子信箱服務提供商確認",
"Check your inbox to verify email update": "",
"Choose": "選擇",
"Choose a different plan": "選擇其他訂閱方案",
"Choose a plan": "",
@ -42,6 +45,7 @@
"Contact support": "聯繫客服",
"Continue": "繼續",
"Continue subscription": "繼續訂閱",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "無法登入。登入連結已過期。",
"Could not update email! Invalid link.": "無法更新 email。連結無效。",
"Create a new contact": "建立新的聯絡人",
@ -52,6 +56,7 @@
"Edit": "編輯",
"Email": "email",
"Email newsletter": "電子報",
"Email newsletter settings updated": "",
"Email preferences": "email 偏好設定",
"Emails": "電子報",
"Emails disabled": "已停止接收電子報",
@ -60,6 +65,18 @@
"Enter your name": "",
"Error": "錯誤",
"Expires {{expiryDate}}": "於 {{expiryDate}} 過期",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "永久",
"Free Trial Ends {{trialEnd}}": "免費試用──於 {{trialEnd}} 结束",
"Get help": "取得協助",
@ -91,6 +108,8 @@
"Name": "名字",
"Need more help? Contact support": "需要更多協助?聯繫客服",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "您的帳號可能會因為兩個原因而停止接收電子報:先前的郵件被標記為垃圾郵件,或者嘗試發送郵件時出現永久失敗(郵件遭到退回)。",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "沒有收到 email",
"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 服務商會保留先前的垃圾郵件記錄並持續標記此類郵件。如果發生這種情況,請將最新的電子報標記為「非垃圾郵件」,將其移回您的主要收件匣。",
@ -126,6 +145,7 @@
"Submit feedback": "提交意見",
"Subscribe": "訂閱",
"Subscribed": "已訂閱",
"Subscription plan updated successfully": "",
"Success": "成功",
"Success! Check your email for magic link to sign-in.": "成功了!請檢查您的 email 以取得快速登入連結。",
"Success! Your account is fully activated, you now have access to all content.": "成功了!您的帳號已完全啟用,您現在可以存取所有內容。",
@ -138,12 +158,22 @@
"That didn't go to plan": "發生錯誤",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "就我們所知,您的 email 地址是 {{memberEmail}}。如果有誤,您可以在<button>帳號設定區塊</button>進行更新。",
"There was a problem submitting your feedback. Please try again a little later.": "提交您的意見時遇到問題。請稍後再試。",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "此網站僅限受邀請者觀看,請聯繫網站擁有者取得存取權限。",
"This site is not accepting payments at the moment.": "",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "要完成註冊,請點擊您收件匣中的確認連結。如果在 3 分鐘內沒有收到,請檢查您的垃圾郵件。",
"To continue to stay up to date, subscribe to {{publication}} below.": "",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "免費試用 {{amount}} 天,然後以 {{originalPrice}} 開始訂閱。",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "成為付費會員以解鎖所有電子報內容。",
"Unsubscribe from all emails": "取消所有電子報訂閱",
"Unsubscribed": "未訂閱",
@ -170,6 +200,7 @@
"You've successfully signed in.": "您已成功登入。",
"You've successfully subscribed to": "",
"Your account": "您的帳號",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "您的建議有助於改善我們的內容。",
"Your subscription will expire on {{expiryDate}}": "您的訂閱將於 {{expiryDate}} 到期",
"Your subscription will renew on {{renewalDate}}": "您的訂閱將於 {{renewalDate}} 自動續訂",

View file

@ -13,9 +13,11 @@
"+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 details updated successfully": "",
"Account settings": "账户设置",
"After a free trial ends, you will be charged the regular price for the tier you've chosen. You can always cancel before then.": "免费试用结束后,您将被收取所选套餐的标定价格。在此之前,您可以随时取消。",
"Already a member?": "已经是会员了?",
"An error occurred": "",
"An unexpected error occured. Please try again or <a>contact support</a> if the error persists.": "遇到意外错误。请重试,若持续出现请<a>联系支持服务</a>。",
"Back": "返回",
"Back to Log in": "返回登录",
@ -28,6 +30,7 @@
"Change plan": "更改订阅方案",
"Check spam & promotions folders": "检查垃圾邮件与促销邮件目录",
"Check with your mail provider": "与您的邮件服务商确认",
"Check your inbox to verify email update": "",
"Choose": "选择",
"Choose a different plan": "选择其他订阅方案",
"Choose a plan": "选择一个订阅方案",
@ -42,6 +45,7 @@
"Contact support": "联系支持服务",
"Continue": "继续",
"Continue subscription": "继续订阅",
"Could not create stripe checkout session": "",
"Could not sign in. Login link expired.": "无法登录。登录链接已过期。",
"Could not update email! Invalid link.": "无法更新电子邮件!链接无效。",
"Create a new contact": "创建新联系",
@ -52,6 +56,7 @@
"Edit": "编辑",
"Email": "电子邮件",
"Email newsletter": "电子邮件快报",
"Email newsletter settings updated": "",
"Email preferences": "电子邮件偏好设置",
"Emails": "电子邮件列表",
"Emails disabled": "关闭电子邮件列表",
@ -60,6 +65,18 @@
"Enter your name": "输入您的名字",
"Error": "错误",
"Expires {{expiryDate}}": "于{{expiryDate}}过期",
"Failed to cancel subscription, please try again": "",
"Failed to log in, please try again": "",
"Failed to log out, please try again": "",
"Failed to process checkout, please try again": "",
"Failed to send magic link email": "",
"Failed to send verification email": "",
"Failed to sign up, please try again": "",
"Failed to update account data": "",
"Failed to update account details": "",
"Failed to update billing information, please try again": "",
"Failed to update newsletter settings": "",
"Failed to update subscription, please try again": "",
"Forever": "永久",
"Free Trial Ends {{trialEnd}}": "免费试用 - {{trialEnd}}结束",
"Get help": "获取帮助",
@ -91,6 +108,8 @@
"Name": "名字",
"Need more help? Contact support": "需要更多帮助?联系支持服务",
"Newsletters can be disabled on your account for two reasons: A previous email was marked as spam, or attempting to send an email resulted in a permanent failure (bounce).": "您账户的快报被禁用的可能原因有两个:先前的电子邮件被标记为垃圾邮件,或者发送邮件遇到永久错误 (bounce)",
"No member exists with this e-mail address.": "",
"No member exists with this e-mail address. Please sign up first.": "",
"Not receiving emails?": "无法收到电子邮件?",
"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.": "重新订阅后在收件箱依旧没有看到邮件,请检查您的垃圾邮件箱。一些服务商会保留之前的垃圾邮件记录并持续标记。如果是这样,请将最新的快报标记为“非垃圾邮件”并将其移动到收件箱。",
@ -126,6 +145,7 @@
"Submit feedback": "提交建议",
"Subscribe": "订阅",
"Subscribed": "已订阅",
"Subscription plan updated successfully": "",
"Success": "成功",
"Success! Check your email for magic link to sign-in.": "成功!检查您的电子邮箱以获取登录链接。",
"Success! Your account is fully activated, you now have access to all content.": "成功!您的账户已经完全激活,您现在可以访问全部内容了。",
@ -138,12 +158,22 @@
"That didn't go to plan": "似乎出错了",
"The email address we have for you is {{memberEmail}} — if that's not correct, you can update it in your <button>account settings area</button>.": "您的电子邮件地址是 {{memberEmail}} - 如果该邮箱不正确,您可以在<button>帐户设置区域</button>中更新它。",
"There was a problem submitting your feedback. Please try again a little later.": "提交您的反馈时遇到错误。请稍后重试。",
"There was an error cancelling your subscription, please try again.": "",
"There was an error continuing your subscription, please try again.": "",
"There was an error processing your payment. Please try again.": "您的付款处理失败,请重试。",
"There was an error sending the email, please try again": "",
"This site is invite-only, contact the owner for access.": "此网站仅限邀请,联系网站所有者以获取访问",
"This site is not accepting payments at the moment.": "本网站目前暂不接受付款。",
"To complete signup, click the confirmation link in your inbox. If it doesn't arrive within 3 minutes, check your spam folder!": "要完成注册请点击您收件箱中的确认链接。如果在3分钟内没有收到请检查一下您的垃圾邮件文件夹",
"To continue to stay up to date, subscribe to {{publication}} below.": "如需持续获取最新资讯,请在下方订阅{{publication}}",
"Too many attempts try again in {{number}} days.": "",
"Too many attempts try again in {{number}} hours.": "",
"Too many attempts try again in {{number}} minutes.": "",
"Too many different sign-in attempts, try again in {{number}} days": "",
"Too many different sign-in attempts, try again in {{number}} hours": "",
"Too many different sign-in attempts, try again in {{number}} minutes": "",
"Try free for {{amount}} days, then {{originalPrice}}.": "{{amount}}天免费试用,之后{{originalPrice}}。",
"Unable to initiate checkout session": "",
"Unlock access to all newsletters by becoming a paid subscriber.": "成为付费订阅用户以解锁全部快报。",
"Unsubscribe from all emails": "取消所有邮件订阅",
"Unsubscribed": "已取消订阅",
@ -170,6 +200,7 @@
"You've successfully signed in.": "您已成功登录。",
"You've successfully subscribed to": "您已成功订阅",
"Your account": "您的账户",
"Your email has failed to resubscribe, please try again": "",
"Your input helps shape what gets published.": "您的建议将使我们变得更好。",
"Your subscription will expire on {{expiryDate}}": "您的订阅将在{{expiryDate}}到期",
"Your subscription will renew on {{renewalDate}}": "您的订阅将在{{renewalDate}}续费",